1 //===--- SemaDecl.cpp - Semantic Analysis for Declarations ----------------===// 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 semantic analysis for declarations. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "TypeLocBuilder.h" 14 #include "clang/AST/ASTConsumer.h" 15 #include "clang/AST/ASTContext.h" 16 #include "clang/AST/ASTLambda.h" 17 #include "clang/AST/CXXInheritance.h" 18 #include "clang/AST/CharUnits.h" 19 #include "clang/AST/CommentDiagnostic.h" 20 #include "clang/AST/DeclCXX.h" 21 #include "clang/AST/DeclObjC.h" 22 #include "clang/AST/DeclTemplate.h" 23 #include "clang/AST/EvaluatedExprVisitor.h" 24 #include "clang/AST/Expr.h" 25 #include "clang/AST/ExprCXX.h" 26 #include "clang/AST/NonTrivialTypeVisitor.h" 27 #include "clang/AST/Randstruct.h" 28 #include "clang/AST/StmtCXX.h" 29 #include "clang/Basic/Builtins.h" 30 #include "clang/Basic/PartialDiagnostic.h" 31 #include "clang/Basic/SourceManager.h" 32 #include "clang/Basic/TargetInfo.h" 33 #include "clang/Lex/HeaderSearch.h" // TODO: Sema shouldn't depend on Lex 34 #include "clang/Lex/Lexer.h" // TODO: Extract static functions to fix layering. 35 #include "clang/Lex/ModuleLoader.h" // TODO: Sema shouldn't depend on Lex 36 #include "clang/Lex/Preprocessor.h" // Included for isCodeCompletionEnabled() 37 #include "clang/Sema/CXXFieldCollector.h" 38 #include "clang/Sema/DeclSpec.h" 39 #include "clang/Sema/DelayedDiagnostic.h" 40 #include "clang/Sema/Initialization.h" 41 #include "clang/Sema/Lookup.h" 42 #include "clang/Sema/ParsedTemplate.h" 43 #include "clang/Sema/Scope.h" 44 #include "clang/Sema/ScopeInfo.h" 45 #include "clang/Sema/SemaInternal.h" 46 #include "clang/Sema/Template.h" 47 #include "llvm/ADT/SmallString.h" 48 #include "llvm/ADT/Triple.h" 49 #include <algorithm> 50 #include <cstring> 51 #include <functional> 52 #include <unordered_map> 53 54 using namespace clang; 55 using namespace sema; 56 57 Sema::DeclGroupPtrTy Sema::ConvertDeclToDeclGroup(Decl *Ptr, Decl *OwnedType) { 58 if (OwnedType) { 59 Decl *Group[2] = { OwnedType, Ptr }; 60 return DeclGroupPtrTy::make(DeclGroupRef::Create(Context, Group, 2)); 61 } 62 63 return DeclGroupPtrTy::make(DeclGroupRef(Ptr)); 64 } 65 66 namespace { 67 68 class TypeNameValidatorCCC final : public CorrectionCandidateCallback { 69 public: 70 TypeNameValidatorCCC(bool AllowInvalid, bool WantClass = false, 71 bool AllowTemplates = false, 72 bool AllowNonTemplates = true) 73 : AllowInvalidDecl(AllowInvalid), WantClassName(WantClass), 74 AllowTemplates(AllowTemplates), AllowNonTemplates(AllowNonTemplates) { 75 WantExpressionKeywords = false; 76 WantCXXNamedCasts = false; 77 WantRemainingKeywords = false; 78 } 79 80 bool ValidateCandidate(const TypoCorrection &candidate) override { 81 if (NamedDecl *ND = candidate.getCorrectionDecl()) { 82 if (!AllowInvalidDecl && ND->isInvalidDecl()) 83 return false; 84 85 if (getAsTypeTemplateDecl(ND)) 86 return AllowTemplates; 87 88 bool IsType = isa<TypeDecl>(ND) || isa<ObjCInterfaceDecl>(ND); 89 if (!IsType) 90 return false; 91 92 if (AllowNonTemplates) 93 return true; 94 95 // An injected-class-name of a class template (specialization) is valid 96 // as a template or as a non-template. 97 if (AllowTemplates) { 98 auto *RD = dyn_cast<CXXRecordDecl>(ND); 99 if (!RD || !RD->isInjectedClassName()) 100 return false; 101 RD = cast<CXXRecordDecl>(RD->getDeclContext()); 102 return RD->getDescribedClassTemplate() || 103 isa<ClassTemplateSpecializationDecl>(RD); 104 } 105 106 return false; 107 } 108 109 return !WantClassName && candidate.isKeyword(); 110 } 111 112 std::unique_ptr<CorrectionCandidateCallback> clone() override { 113 return std::make_unique<TypeNameValidatorCCC>(*this); 114 } 115 116 private: 117 bool AllowInvalidDecl; 118 bool WantClassName; 119 bool AllowTemplates; 120 bool AllowNonTemplates; 121 }; 122 123 } // end anonymous namespace 124 125 /// Determine whether the token kind starts a simple-type-specifier. 126 bool Sema::isSimpleTypeSpecifier(tok::TokenKind Kind) const { 127 switch (Kind) { 128 // FIXME: Take into account the current language when deciding whether a 129 // token kind is a valid type specifier 130 case tok::kw_short: 131 case tok::kw_long: 132 case tok::kw___int64: 133 case tok::kw___int128: 134 case tok::kw_signed: 135 case tok::kw_unsigned: 136 case tok::kw_void: 137 case tok::kw_char: 138 case tok::kw_int: 139 case tok::kw_half: 140 case tok::kw_float: 141 case tok::kw_double: 142 case tok::kw___bf16: 143 case tok::kw__Float16: 144 case tok::kw___float128: 145 case tok::kw___ibm128: 146 case tok::kw_wchar_t: 147 case tok::kw_bool: 148 case tok::kw___underlying_type: 149 case tok::kw___auto_type: 150 return true; 151 152 case tok::annot_typename: 153 case tok::kw_char16_t: 154 case tok::kw_char32_t: 155 case tok::kw_typeof: 156 case tok::annot_decltype: 157 case tok::kw_decltype: 158 return getLangOpts().CPlusPlus; 159 160 case tok::kw_char8_t: 161 return getLangOpts().Char8; 162 163 default: 164 break; 165 } 166 167 return false; 168 } 169 170 namespace { 171 enum class UnqualifiedTypeNameLookupResult { 172 NotFound, 173 FoundNonType, 174 FoundType 175 }; 176 } // end anonymous namespace 177 178 /// Tries to perform unqualified lookup of the type decls in bases for 179 /// dependent class. 180 /// \return \a NotFound if no any decls is found, \a FoundNotType if found not a 181 /// type decl, \a FoundType if only type decls are found. 182 static UnqualifiedTypeNameLookupResult 183 lookupUnqualifiedTypeNameInBase(Sema &S, const IdentifierInfo &II, 184 SourceLocation NameLoc, 185 const CXXRecordDecl *RD) { 186 if (!RD->hasDefinition()) 187 return UnqualifiedTypeNameLookupResult::NotFound; 188 // Look for type decls in base classes. 189 UnqualifiedTypeNameLookupResult FoundTypeDecl = 190 UnqualifiedTypeNameLookupResult::NotFound; 191 for (const auto &Base : RD->bases()) { 192 const CXXRecordDecl *BaseRD = nullptr; 193 if (auto *BaseTT = Base.getType()->getAs<TagType>()) 194 BaseRD = BaseTT->getAsCXXRecordDecl(); 195 else if (auto *TST = Base.getType()->getAs<TemplateSpecializationType>()) { 196 // Look for type decls in dependent base classes that have known primary 197 // templates. 198 if (!TST || !TST->isDependentType()) 199 continue; 200 auto *TD = TST->getTemplateName().getAsTemplateDecl(); 201 if (!TD) 202 continue; 203 if (auto *BasePrimaryTemplate = 204 dyn_cast_or_null<CXXRecordDecl>(TD->getTemplatedDecl())) { 205 if (BasePrimaryTemplate->getCanonicalDecl() != RD->getCanonicalDecl()) 206 BaseRD = BasePrimaryTemplate; 207 else if (auto *CTD = dyn_cast<ClassTemplateDecl>(TD)) { 208 if (const ClassTemplatePartialSpecializationDecl *PS = 209 CTD->findPartialSpecialization(Base.getType())) 210 if (PS->getCanonicalDecl() != RD->getCanonicalDecl()) 211 BaseRD = PS; 212 } 213 } 214 } 215 if (BaseRD) { 216 for (NamedDecl *ND : BaseRD->lookup(&II)) { 217 if (!isa<TypeDecl>(ND)) 218 return UnqualifiedTypeNameLookupResult::FoundNonType; 219 FoundTypeDecl = UnqualifiedTypeNameLookupResult::FoundType; 220 } 221 if (FoundTypeDecl == UnqualifiedTypeNameLookupResult::NotFound) { 222 switch (lookupUnqualifiedTypeNameInBase(S, II, NameLoc, BaseRD)) { 223 case UnqualifiedTypeNameLookupResult::FoundNonType: 224 return UnqualifiedTypeNameLookupResult::FoundNonType; 225 case UnqualifiedTypeNameLookupResult::FoundType: 226 FoundTypeDecl = UnqualifiedTypeNameLookupResult::FoundType; 227 break; 228 case UnqualifiedTypeNameLookupResult::NotFound: 229 break; 230 } 231 } 232 } 233 } 234 235 return FoundTypeDecl; 236 } 237 238 static ParsedType recoverFromTypeInKnownDependentBase(Sema &S, 239 const IdentifierInfo &II, 240 SourceLocation NameLoc) { 241 // Lookup in the parent class template context, if any. 242 const CXXRecordDecl *RD = nullptr; 243 UnqualifiedTypeNameLookupResult FoundTypeDecl = 244 UnqualifiedTypeNameLookupResult::NotFound; 245 for (DeclContext *DC = S.CurContext; 246 DC && FoundTypeDecl == UnqualifiedTypeNameLookupResult::NotFound; 247 DC = DC->getParent()) { 248 // Look for type decls in dependent base classes that have known primary 249 // templates. 250 RD = dyn_cast<CXXRecordDecl>(DC); 251 if (RD && RD->getDescribedClassTemplate()) 252 FoundTypeDecl = lookupUnqualifiedTypeNameInBase(S, II, NameLoc, RD); 253 } 254 if (FoundTypeDecl != UnqualifiedTypeNameLookupResult::FoundType) 255 return nullptr; 256 257 // We found some types in dependent base classes. Recover as if the user 258 // wrote 'typename MyClass::II' instead of 'II'. We'll fully resolve the 259 // lookup during template instantiation. 260 S.Diag(NameLoc, diag::ext_found_in_dependent_base) << &II; 261 262 ASTContext &Context = S.Context; 263 auto *NNS = NestedNameSpecifier::Create(Context, nullptr, false, 264 cast<Type>(Context.getRecordType(RD))); 265 QualType T = Context.getDependentNameType(ETK_Typename, NNS, &II); 266 267 CXXScopeSpec SS; 268 SS.MakeTrivial(Context, NNS, SourceRange(NameLoc)); 269 270 TypeLocBuilder Builder; 271 DependentNameTypeLoc DepTL = Builder.push<DependentNameTypeLoc>(T); 272 DepTL.setNameLoc(NameLoc); 273 DepTL.setElaboratedKeywordLoc(SourceLocation()); 274 DepTL.setQualifierLoc(SS.getWithLocInContext(Context)); 275 return S.CreateParsedType(T, Builder.getTypeSourceInfo(Context, T)); 276 } 277 278 /// If the identifier refers to a type name within this scope, 279 /// return the declaration of that type. 280 /// 281 /// This routine performs ordinary name lookup of the identifier II 282 /// within the given scope, with optional C++ scope specifier SS, to 283 /// determine whether the name refers to a type. If so, returns an 284 /// opaque pointer (actually a QualType) corresponding to that 285 /// type. Otherwise, returns NULL. 286 ParsedType Sema::getTypeName(const IdentifierInfo &II, SourceLocation NameLoc, 287 Scope *S, CXXScopeSpec *SS, 288 bool isClassName, bool HasTrailingDot, 289 ParsedType ObjectTypePtr, 290 bool IsCtorOrDtorName, 291 bool WantNontrivialTypeSourceInfo, 292 bool IsClassTemplateDeductionContext, 293 IdentifierInfo **CorrectedII) { 294 // FIXME: Consider allowing this outside C++1z mode as an extension. 295 bool AllowDeducedTemplate = IsClassTemplateDeductionContext && 296 getLangOpts().CPlusPlus17 && !IsCtorOrDtorName && 297 !isClassName && !HasTrailingDot; 298 299 // Determine where we will perform name lookup. 300 DeclContext *LookupCtx = nullptr; 301 if (ObjectTypePtr) { 302 QualType ObjectType = ObjectTypePtr.get(); 303 if (ObjectType->isRecordType()) 304 LookupCtx = computeDeclContext(ObjectType); 305 } else if (SS && SS->isNotEmpty()) { 306 LookupCtx = computeDeclContext(*SS, false); 307 308 if (!LookupCtx) { 309 if (isDependentScopeSpecifier(*SS)) { 310 // C++ [temp.res]p3: 311 // A qualified-id that refers to a type and in which the 312 // nested-name-specifier depends on a template-parameter (14.6.2) 313 // shall be prefixed by the keyword typename to indicate that the 314 // qualified-id denotes a type, forming an 315 // elaborated-type-specifier (7.1.5.3). 316 // 317 // We therefore do not perform any name lookup if the result would 318 // refer to a member of an unknown specialization. 319 if (!isClassName && !IsCtorOrDtorName) 320 return nullptr; 321 322 // We know from the grammar that this name refers to a type, 323 // so build a dependent node to describe the type. 324 if (WantNontrivialTypeSourceInfo) 325 return ActOnTypenameType(S, SourceLocation(), *SS, II, NameLoc).get(); 326 327 NestedNameSpecifierLoc QualifierLoc = SS->getWithLocInContext(Context); 328 QualType T = CheckTypenameType(ETK_None, SourceLocation(), QualifierLoc, 329 II, NameLoc); 330 return ParsedType::make(T); 331 } 332 333 return nullptr; 334 } 335 336 if (!LookupCtx->isDependentContext() && 337 RequireCompleteDeclContext(*SS, LookupCtx)) 338 return nullptr; 339 } 340 341 // FIXME: LookupNestedNameSpecifierName isn't the right kind of 342 // lookup for class-names. 343 LookupNameKind Kind = isClassName ? LookupNestedNameSpecifierName : 344 LookupOrdinaryName; 345 LookupResult Result(*this, &II, NameLoc, Kind); 346 if (LookupCtx) { 347 // Perform "qualified" name lookup into the declaration context we 348 // computed, which is either the type of the base of a member access 349 // expression or the declaration context associated with a prior 350 // nested-name-specifier. 351 LookupQualifiedName(Result, LookupCtx); 352 353 if (ObjectTypePtr && Result.empty()) { 354 // C++ [basic.lookup.classref]p3: 355 // If the unqualified-id is ~type-name, the type-name is looked up 356 // in the context of the entire postfix-expression. If the type T of 357 // the object expression is of a class type C, the type-name is also 358 // looked up in the scope of class C. At least one of the lookups shall 359 // find a name that refers to (possibly cv-qualified) T. 360 LookupName(Result, S); 361 } 362 } else { 363 // Perform unqualified name lookup. 364 LookupName(Result, S); 365 366 // For unqualified lookup in a class template in MSVC mode, look into 367 // dependent base classes where the primary class template is known. 368 if (Result.empty() && getLangOpts().MSVCCompat && (!SS || SS->isEmpty())) { 369 if (ParsedType TypeInBase = 370 recoverFromTypeInKnownDependentBase(*this, II, NameLoc)) 371 return TypeInBase; 372 } 373 } 374 375 NamedDecl *IIDecl = nullptr; 376 UsingShadowDecl *FoundUsingShadow = nullptr; 377 switch (Result.getResultKind()) { 378 case LookupResult::NotFound: 379 case LookupResult::NotFoundInCurrentInstantiation: 380 if (CorrectedII) { 381 TypeNameValidatorCCC CCC(/*AllowInvalid=*/true, isClassName, 382 AllowDeducedTemplate); 383 TypoCorrection Correction = CorrectTypo(Result.getLookupNameInfo(), Kind, 384 S, SS, CCC, CTK_ErrorRecovery); 385 IdentifierInfo *NewII = Correction.getCorrectionAsIdentifierInfo(); 386 TemplateTy Template; 387 bool MemberOfUnknownSpecialization; 388 UnqualifiedId TemplateName; 389 TemplateName.setIdentifier(NewII, NameLoc); 390 NestedNameSpecifier *NNS = Correction.getCorrectionSpecifier(); 391 CXXScopeSpec NewSS, *NewSSPtr = SS; 392 if (SS && NNS) { 393 NewSS.MakeTrivial(Context, NNS, SourceRange(NameLoc)); 394 NewSSPtr = &NewSS; 395 } 396 if (Correction && (NNS || NewII != &II) && 397 // Ignore a correction to a template type as the to-be-corrected 398 // identifier is not a template (typo correction for template names 399 // is handled elsewhere). 400 !(getLangOpts().CPlusPlus && NewSSPtr && 401 isTemplateName(S, *NewSSPtr, false, TemplateName, nullptr, false, 402 Template, MemberOfUnknownSpecialization))) { 403 ParsedType Ty = getTypeName(*NewII, NameLoc, S, NewSSPtr, 404 isClassName, HasTrailingDot, ObjectTypePtr, 405 IsCtorOrDtorName, 406 WantNontrivialTypeSourceInfo, 407 IsClassTemplateDeductionContext); 408 if (Ty) { 409 diagnoseTypo(Correction, 410 PDiag(diag::err_unknown_type_or_class_name_suggest) 411 << Result.getLookupName() << isClassName); 412 if (SS && NNS) 413 SS->MakeTrivial(Context, NNS, SourceRange(NameLoc)); 414 *CorrectedII = NewII; 415 return Ty; 416 } 417 } 418 } 419 // If typo correction failed or was not performed, fall through 420 LLVM_FALLTHROUGH; 421 case LookupResult::FoundOverloaded: 422 case LookupResult::FoundUnresolvedValue: 423 Result.suppressDiagnostics(); 424 return nullptr; 425 426 case LookupResult::Ambiguous: 427 // Recover from type-hiding ambiguities by hiding the type. We'll 428 // do the lookup again when looking for an object, and we can 429 // diagnose the error then. If we don't do this, then the error 430 // about hiding the type will be immediately followed by an error 431 // that only makes sense if the identifier was treated like a type. 432 if (Result.getAmbiguityKind() == LookupResult::AmbiguousTagHiding) { 433 Result.suppressDiagnostics(); 434 return nullptr; 435 } 436 437 // Look to see if we have a type anywhere in the list of results. 438 for (LookupResult::iterator Res = Result.begin(), ResEnd = Result.end(); 439 Res != ResEnd; ++Res) { 440 NamedDecl *RealRes = (*Res)->getUnderlyingDecl(); 441 if (isa<TypeDecl, ObjCInterfaceDecl, UnresolvedUsingIfExistsDecl>( 442 RealRes) || 443 (AllowDeducedTemplate && getAsTypeTemplateDecl(RealRes))) { 444 if (!IIDecl || 445 // Make the selection of the recovery decl deterministic. 446 RealRes->getLocation() < IIDecl->getLocation()) { 447 IIDecl = RealRes; 448 FoundUsingShadow = dyn_cast<UsingShadowDecl>(*Res); 449 } 450 } 451 } 452 453 if (!IIDecl) { 454 // None of the entities we found is a type, so there is no way 455 // to even assume that the result is a type. In this case, don't 456 // complain about the ambiguity. The parser will either try to 457 // perform this lookup again (e.g., as an object name), which 458 // will produce the ambiguity, or will complain that it expected 459 // a type name. 460 Result.suppressDiagnostics(); 461 return nullptr; 462 } 463 464 // We found a type within the ambiguous lookup; diagnose the 465 // ambiguity and then return that type. This might be the right 466 // answer, or it might not be, but it suppresses any attempt to 467 // perform the name lookup again. 468 break; 469 470 case LookupResult::Found: 471 IIDecl = Result.getFoundDecl(); 472 FoundUsingShadow = dyn_cast<UsingShadowDecl>(*Result.begin()); 473 break; 474 } 475 476 assert(IIDecl && "Didn't find decl"); 477 478 QualType T; 479 if (TypeDecl *TD = dyn_cast<TypeDecl>(IIDecl)) { 480 // C++ [class.qual]p2: A lookup that would find the injected-class-name 481 // instead names the constructors of the class, except when naming a class. 482 // This is ill-formed when we're not actually forming a ctor or dtor name. 483 auto *LookupRD = dyn_cast_or_null<CXXRecordDecl>(LookupCtx); 484 auto *FoundRD = dyn_cast<CXXRecordDecl>(TD); 485 if (!isClassName && !IsCtorOrDtorName && LookupRD && FoundRD && 486 FoundRD->isInjectedClassName() && 487 declaresSameEntity(LookupRD, cast<Decl>(FoundRD->getParent()))) 488 Diag(NameLoc, diag::err_out_of_line_qualified_id_type_names_constructor) 489 << &II << /*Type*/1; 490 491 DiagnoseUseOfDecl(IIDecl, NameLoc); 492 493 T = Context.getTypeDeclType(TD); 494 MarkAnyDeclReferenced(TD->getLocation(), TD, /*OdrUse=*/false); 495 } else if (ObjCInterfaceDecl *IDecl = dyn_cast<ObjCInterfaceDecl>(IIDecl)) { 496 (void)DiagnoseUseOfDecl(IDecl, NameLoc); 497 if (!HasTrailingDot) 498 T = Context.getObjCInterfaceType(IDecl); 499 FoundUsingShadow = nullptr; // FIXME: Target must be a TypeDecl. 500 } else if (auto *UD = dyn_cast<UnresolvedUsingIfExistsDecl>(IIDecl)) { 501 (void)DiagnoseUseOfDecl(UD, NameLoc); 502 // Recover with 'int' 503 T = Context.IntTy; 504 FoundUsingShadow = nullptr; 505 } else if (AllowDeducedTemplate) { 506 if (auto *TD = getAsTypeTemplateDecl(IIDecl)) { 507 assert(!FoundUsingShadow || FoundUsingShadow->getTargetDecl() == TD); 508 TemplateName Template = 509 FoundUsingShadow ? TemplateName(FoundUsingShadow) : TemplateName(TD); 510 T = Context.getDeducedTemplateSpecializationType(Template, QualType(), 511 false); 512 // Don't wrap in a further UsingType. 513 FoundUsingShadow = nullptr; 514 } 515 } 516 517 if (T.isNull()) { 518 // If it's not plausibly a type, suppress diagnostics. 519 Result.suppressDiagnostics(); 520 return nullptr; 521 } 522 523 if (FoundUsingShadow) 524 T = Context.getUsingType(FoundUsingShadow, T); 525 526 // NOTE: avoid constructing an ElaboratedType(Loc) if this is a 527 // constructor or destructor name (in such a case, the scope specifier 528 // will be attached to the enclosing Expr or Decl node). 529 if (SS && SS->isNotEmpty() && !IsCtorOrDtorName && 530 !isa<ObjCInterfaceDecl, UnresolvedUsingIfExistsDecl>(IIDecl)) { 531 if (WantNontrivialTypeSourceInfo) { 532 // Construct a type with type-source information. 533 TypeLocBuilder Builder; 534 Builder.pushTypeSpec(T).setNameLoc(NameLoc); 535 536 T = getElaboratedType(ETK_None, *SS, T); 537 ElaboratedTypeLoc ElabTL = Builder.push<ElaboratedTypeLoc>(T); 538 ElabTL.setElaboratedKeywordLoc(SourceLocation()); 539 ElabTL.setQualifierLoc(SS->getWithLocInContext(Context)); 540 return CreateParsedType(T, Builder.getTypeSourceInfo(Context, T)); 541 } else { 542 T = getElaboratedType(ETK_None, *SS, T); 543 } 544 } 545 546 return ParsedType::make(T); 547 } 548 549 // Builds a fake NNS for the given decl context. 550 static NestedNameSpecifier * 551 synthesizeCurrentNestedNameSpecifier(ASTContext &Context, DeclContext *DC) { 552 for (;; DC = DC->getLookupParent()) { 553 DC = DC->getPrimaryContext(); 554 auto *ND = dyn_cast<NamespaceDecl>(DC); 555 if (ND && !ND->isInline() && !ND->isAnonymousNamespace()) 556 return NestedNameSpecifier::Create(Context, nullptr, ND); 557 else if (auto *RD = dyn_cast<CXXRecordDecl>(DC)) 558 return NestedNameSpecifier::Create(Context, nullptr, RD->isTemplateDecl(), 559 RD->getTypeForDecl()); 560 else if (isa<TranslationUnitDecl>(DC)) 561 return NestedNameSpecifier::GlobalSpecifier(Context); 562 } 563 llvm_unreachable("something isn't in TU scope?"); 564 } 565 566 /// Find the parent class with dependent bases of the innermost enclosing method 567 /// context. Do not look for enclosing CXXRecordDecls directly, or we will end 568 /// up allowing unqualified dependent type names at class-level, which MSVC 569 /// correctly rejects. 570 static const CXXRecordDecl * 571 findRecordWithDependentBasesOfEnclosingMethod(const DeclContext *DC) { 572 for (; DC && DC->isDependentContext(); DC = DC->getLookupParent()) { 573 DC = DC->getPrimaryContext(); 574 if (const auto *MD = dyn_cast<CXXMethodDecl>(DC)) 575 if (MD->getParent()->hasAnyDependentBases()) 576 return MD->getParent(); 577 } 578 return nullptr; 579 } 580 581 ParsedType Sema::ActOnMSVCUnknownTypeName(const IdentifierInfo &II, 582 SourceLocation NameLoc, 583 bool IsTemplateTypeArg) { 584 assert(getLangOpts().MSVCCompat && "shouldn't be called in non-MSVC mode"); 585 586 NestedNameSpecifier *NNS = nullptr; 587 if (IsTemplateTypeArg && getCurScope()->isTemplateParamScope()) { 588 // If we weren't able to parse a default template argument, delay lookup 589 // until instantiation time by making a non-dependent DependentTypeName. We 590 // pretend we saw a NestedNameSpecifier referring to the current scope, and 591 // lookup is retried. 592 // FIXME: This hurts our diagnostic quality, since we get errors like "no 593 // type named 'Foo' in 'current_namespace'" when the user didn't write any 594 // name specifiers. 595 NNS = synthesizeCurrentNestedNameSpecifier(Context, CurContext); 596 Diag(NameLoc, diag::ext_ms_delayed_template_argument) << &II; 597 } else if (const CXXRecordDecl *RD = 598 findRecordWithDependentBasesOfEnclosingMethod(CurContext)) { 599 // Build a DependentNameType that will perform lookup into RD at 600 // instantiation time. 601 NNS = NestedNameSpecifier::Create(Context, nullptr, RD->isTemplateDecl(), 602 RD->getTypeForDecl()); 603 604 // Diagnose that this identifier was undeclared, and retry the lookup during 605 // template instantiation. 606 Diag(NameLoc, diag::ext_undeclared_unqual_id_with_dependent_base) << &II 607 << RD; 608 } else { 609 // This is not a situation that we should recover from. 610 return ParsedType(); 611 } 612 613 QualType T = Context.getDependentNameType(ETK_None, NNS, &II); 614 615 // Build type location information. We synthesized the qualifier, so we have 616 // to build a fake NestedNameSpecifierLoc. 617 NestedNameSpecifierLocBuilder NNSLocBuilder; 618 NNSLocBuilder.MakeTrivial(Context, NNS, SourceRange(NameLoc)); 619 NestedNameSpecifierLoc QualifierLoc = NNSLocBuilder.getWithLocInContext(Context); 620 621 TypeLocBuilder Builder; 622 DependentNameTypeLoc DepTL = Builder.push<DependentNameTypeLoc>(T); 623 DepTL.setNameLoc(NameLoc); 624 DepTL.setElaboratedKeywordLoc(SourceLocation()); 625 DepTL.setQualifierLoc(QualifierLoc); 626 return CreateParsedType(T, Builder.getTypeSourceInfo(Context, T)); 627 } 628 629 /// isTagName() - This method is called *for error recovery purposes only* 630 /// to determine if the specified name is a valid tag name ("struct foo"). If 631 /// so, this returns the TST for the tag corresponding to it (TST_enum, 632 /// TST_union, TST_struct, TST_interface, TST_class). This is used to diagnose 633 /// cases in C where the user forgot to specify the tag. 634 DeclSpec::TST Sema::isTagName(IdentifierInfo &II, Scope *S) { 635 // Do a tag name lookup in this scope. 636 LookupResult R(*this, &II, SourceLocation(), LookupTagName); 637 LookupName(R, S, false); 638 R.suppressDiagnostics(); 639 if (R.getResultKind() == LookupResult::Found) 640 if (const TagDecl *TD = R.getAsSingle<TagDecl>()) { 641 switch (TD->getTagKind()) { 642 case TTK_Struct: return DeclSpec::TST_struct; 643 case TTK_Interface: return DeclSpec::TST_interface; 644 case TTK_Union: return DeclSpec::TST_union; 645 case TTK_Class: return DeclSpec::TST_class; 646 case TTK_Enum: return DeclSpec::TST_enum; 647 } 648 } 649 650 return DeclSpec::TST_unspecified; 651 } 652 653 /// isMicrosoftMissingTypename - In Microsoft mode, within class scope, 654 /// if a CXXScopeSpec's type is equal to the type of one of the base classes 655 /// then downgrade the missing typename error to a warning. 656 /// This is needed for MSVC compatibility; Example: 657 /// @code 658 /// template<class T> class A { 659 /// public: 660 /// typedef int TYPE; 661 /// }; 662 /// template<class T> class B : public A<T> { 663 /// public: 664 /// A<T>::TYPE a; // no typename required because A<T> is a base class. 665 /// }; 666 /// @endcode 667 bool Sema::isMicrosoftMissingTypename(const CXXScopeSpec *SS, Scope *S) { 668 if (CurContext->isRecord()) { 669 if (SS->getScopeRep()->getKind() == NestedNameSpecifier::Super) 670 return true; 671 672 const Type *Ty = SS->getScopeRep()->getAsType(); 673 674 CXXRecordDecl *RD = cast<CXXRecordDecl>(CurContext); 675 for (const auto &Base : RD->bases()) 676 if (Ty && Context.hasSameUnqualifiedType(QualType(Ty, 1), Base.getType())) 677 return true; 678 return S->isFunctionPrototypeScope(); 679 } 680 return CurContext->isFunctionOrMethod() || S->isFunctionPrototypeScope(); 681 } 682 683 void Sema::DiagnoseUnknownTypeName(IdentifierInfo *&II, 684 SourceLocation IILoc, 685 Scope *S, 686 CXXScopeSpec *SS, 687 ParsedType &SuggestedType, 688 bool IsTemplateName) { 689 // Don't report typename errors for editor placeholders. 690 if (II->isEditorPlaceholder()) 691 return; 692 // We don't have anything to suggest (yet). 693 SuggestedType = nullptr; 694 695 // There may have been a typo in the name of the type. Look up typo 696 // results, in case we have something that we can suggest. 697 TypeNameValidatorCCC CCC(/*AllowInvalid=*/false, /*WantClass=*/false, 698 /*AllowTemplates=*/IsTemplateName, 699 /*AllowNonTemplates=*/!IsTemplateName); 700 if (TypoCorrection Corrected = 701 CorrectTypo(DeclarationNameInfo(II, IILoc), LookupOrdinaryName, S, SS, 702 CCC, CTK_ErrorRecovery)) { 703 // FIXME: Support error recovery for the template-name case. 704 bool CanRecover = !IsTemplateName; 705 if (Corrected.isKeyword()) { 706 // We corrected to a keyword. 707 diagnoseTypo(Corrected, 708 PDiag(IsTemplateName ? diag::err_no_template_suggest 709 : diag::err_unknown_typename_suggest) 710 << II); 711 II = Corrected.getCorrectionAsIdentifierInfo(); 712 } else { 713 // We found a similarly-named type or interface; suggest that. 714 if (!SS || !SS->isSet()) { 715 diagnoseTypo(Corrected, 716 PDiag(IsTemplateName ? diag::err_no_template_suggest 717 : diag::err_unknown_typename_suggest) 718 << II, CanRecover); 719 } else if (DeclContext *DC = computeDeclContext(*SS, false)) { 720 std::string CorrectedStr(Corrected.getAsString(getLangOpts())); 721 bool DroppedSpecifier = Corrected.WillReplaceSpecifier() && 722 II->getName().equals(CorrectedStr); 723 diagnoseTypo(Corrected, 724 PDiag(IsTemplateName 725 ? diag::err_no_member_template_suggest 726 : diag::err_unknown_nested_typename_suggest) 727 << II << DC << DroppedSpecifier << SS->getRange(), 728 CanRecover); 729 } else { 730 llvm_unreachable("could not have corrected a typo here"); 731 } 732 733 if (!CanRecover) 734 return; 735 736 CXXScopeSpec tmpSS; 737 if (Corrected.getCorrectionSpecifier()) 738 tmpSS.MakeTrivial(Context, Corrected.getCorrectionSpecifier(), 739 SourceRange(IILoc)); 740 // FIXME: Support class template argument deduction here. 741 SuggestedType = 742 getTypeName(*Corrected.getCorrectionAsIdentifierInfo(), IILoc, S, 743 tmpSS.isSet() ? &tmpSS : SS, false, false, nullptr, 744 /*IsCtorOrDtorName=*/false, 745 /*WantNontrivialTypeSourceInfo=*/true); 746 } 747 return; 748 } 749 750 if (getLangOpts().CPlusPlus && !IsTemplateName) { 751 // See if II is a class template that the user forgot to pass arguments to. 752 UnqualifiedId Name; 753 Name.setIdentifier(II, IILoc); 754 CXXScopeSpec EmptySS; 755 TemplateTy TemplateResult; 756 bool MemberOfUnknownSpecialization; 757 if (isTemplateName(S, SS ? *SS : EmptySS, /*hasTemplateKeyword=*/false, 758 Name, nullptr, true, TemplateResult, 759 MemberOfUnknownSpecialization) == TNK_Type_template) { 760 diagnoseMissingTemplateArguments(TemplateResult.get(), IILoc); 761 return; 762 } 763 } 764 765 // FIXME: Should we move the logic that tries to recover from a missing tag 766 // (struct, union, enum) from Parser::ParseImplicitInt here, instead? 767 768 if (!SS || (!SS->isSet() && !SS->isInvalid())) 769 Diag(IILoc, IsTemplateName ? diag::err_no_template 770 : diag::err_unknown_typename) 771 << II; 772 else if (DeclContext *DC = computeDeclContext(*SS, false)) 773 Diag(IILoc, IsTemplateName ? diag::err_no_member_template 774 : diag::err_typename_nested_not_found) 775 << II << DC << SS->getRange(); 776 else if (SS->isValid() && SS->getScopeRep()->containsErrors()) { 777 SuggestedType = 778 ActOnTypenameType(S, SourceLocation(), *SS, *II, IILoc).get(); 779 } else if (isDependentScopeSpecifier(*SS)) { 780 unsigned DiagID = diag::err_typename_missing; 781 if (getLangOpts().MSVCCompat && isMicrosoftMissingTypename(SS, S)) 782 DiagID = diag::ext_typename_missing; 783 784 Diag(SS->getRange().getBegin(), DiagID) 785 << SS->getScopeRep() << II->getName() 786 << SourceRange(SS->getRange().getBegin(), IILoc) 787 << FixItHint::CreateInsertion(SS->getRange().getBegin(), "typename "); 788 SuggestedType = ActOnTypenameType(S, SourceLocation(), 789 *SS, *II, IILoc).get(); 790 } else { 791 assert(SS && SS->isInvalid() && 792 "Invalid scope specifier has already been diagnosed"); 793 } 794 } 795 796 /// Determine whether the given result set contains either a type name 797 /// or 798 static bool isResultTypeOrTemplate(LookupResult &R, const Token &NextToken) { 799 bool CheckTemplate = R.getSema().getLangOpts().CPlusPlus && 800 NextToken.is(tok::less); 801 802 for (LookupResult::iterator I = R.begin(), IEnd = R.end(); I != IEnd; ++I) { 803 if (isa<TypeDecl>(*I) || isa<ObjCInterfaceDecl>(*I)) 804 return true; 805 806 if (CheckTemplate && isa<TemplateDecl>(*I)) 807 return true; 808 } 809 810 return false; 811 } 812 813 static bool isTagTypeWithMissingTag(Sema &SemaRef, LookupResult &Result, 814 Scope *S, CXXScopeSpec &SS, 815 IdentifierInfo *&Name, 816 SourceLocation NameLoc) { 817 LookupResult R(SemaRef, Name, NameLoc, Sema::LookupTagName); 818 SemaRef.LookupParsedName(R, S, &SS); 819 if (TagDecl *Tag = R.getAsSingle<TagDecl>()) { 820 StringRef FixItTagName; 821 switch (Tag->getTagKind()) { 822 case TTK_Class: 823 FixItTagName = "class "; 824 break; 825 826 case TTK_Enum: 827 FixItTagName = "enum "; 828 break; 829 830 case TTK_Struct: 831 FixItTagName = "struct "; 832 break; 833 834 case TTK_Interface: 835 FixItTagName = "__interface "; 836 break; 837 838 case TTK_Union: 839 FixItTagName = "union "; 840 break; 841 } 842 843 StringRef TagName = FixItTagName.drop_back(); 844 SemaRef.Diag(NameLoc, diag::err_use_of_tag_name_without_tag) 845 << Name << TagName << SemaRef.getLangOpts().CPlusPlus 846 << FixItHint::CreateInsertion(NameLoc, FixItTagName); 847 848 for (LookupResult::iterator I = Result.begin(), IEnd = Result.end(); 849 I != IEnd; ++I) 850 SemaRef.Diag((*I)->getLocation(), diag::note_decl_hiding_tag_type) 851 << Name << TagName; 852 853 // Replace lookup results with just the tag decl. 854 Result.clear(Sema::LookupTagName); 855 SemaRef.LookupParsedName(Result, S, &SS); 856 return true; 857 } 858 859 return false; 860 } 861 862 Sema::NameClassification Sema::ClassifyName(Scope *S, CXXScopeSpec &SS, 863 IdentifierInfo *&Name, 864 SourceLocation NameLoc, 865 const Token &NextToken, 866 CorrectionCandidateCallback *CCC) { 867 DeclarationNameInfo NameInfo(Name, NameLoc); 868 ObjCMethodDecl *CurMethod = getCurMethodDecl(); 869 870 assert(NextToken.isNot(tok::coloncolon) && 871 "parse nested name specifiers before calling ClassifyName"); 872 if (getLangOpts().CPlusPlus && SS.isSet() && 873 isCurrentClassName(*Name, S, &SS)) { 874 // Per [class.qual]p2, this names the constructors of SS, not the 875 // injected-class-name. We don't have a classification for that. 876 // There's not much point caching this result, since the parser 877 // will reject it later. 878 return NameClassification::Unknown(); 879 } 880 881 LookupResult Result(*this, Name, NameLoc, LookupOrdinaryName); 882 LookupParsedName(Result, S, &SS, !CurMethod); 883 884 if (SS.isInvalid()) 885 return NameClassification::Error(); 886 887 // For unqualified lookup in a class template in MSVC mode, look into 888 // dependent base classes where the primary class template is known. 889 if (Result.empty() && SS.isEmpty() && getLangOpts().MSVCCompat) { 890 if (ParsedType TypeInBase = 891 recoverFromTypeInKnownDependentBase(*this, *Name, NameLoc)) 892 return TypeInBase; 893 } 894 895 // Perform lookup for Objective-C instance variables (including automatically 896 // synthesized instance variables), if we're in an Objective-C method. 897 // FIXME: This lookup really, really needs to be folded in to the normal 898 // unqualified lookup mechanism. 899 if (SS.isEmpty() && CurMethod && !isResultTypeOrTemplate(Result, NextToken)) { 900 DeclResult Ivar = LookupIvarInObjCMethod(Result, S, Name); 901 if (Ivar.isInvalid()) 902 return NameClassification::Error(); 903 if (Ivar.isUsable()) 904 return NameClassification::NonType(cast<NamedDecl>(Ivar.get())); 905 906 // We defer builtin creation until after ivar lookup inside ObjC methods. 907 if (Result.empty()) 908 LookupBuiltin(Result); 909 } 910 911 bool SecondTry = false; 912 bool IsFilteredTemplateName = false; 913 914 Corrected: 915 switch (Result.getResultKind()) { 916 case LookupResult::NotFound: 917 // If an unqualified-id is followed by a '(', then we have a function 918 // call. 919 if (SS.isEmpty() && NextToken.is(tok::l_paren)) { 920 // In C++, this is an ADL-only call. 921 // FIXME: Reference? 922 if (getLangOpts().CPlusPlus) 923 return NameClassification::UndeclaredNonType(); 924 925 // C90 6.3.2.2: 926 // If the expression that precedes the parenthesized argument list in a 927 // function call consists solely of an identifier, and if no 928 // declaration is visible for this identifier, the identifier is 929 // implicitly declared exactly as if, in the innermost block containing 930 // the function call, the declaration 931 // 932 // extern int identifier (); 933 // 934 // appeared. 935 // 936 // We also allow this in C99 as an extension. However, this is not 937 // allowed in all language modes as functions without prototypes may not 938 // be supported. 939 if (getLangOpts().implicitFunctionsAllowed()) { 940 if (NamedDecl *D = ImplicitlyDefineFunction(NameLoc, *Name, S)) 941 return NameClassification::NonType(D); 942 } 943 } 944 945 if (getLangOpts().CPlusPlus20 && SS.isEmpty() && NextToken.is(tok::less)) { 946 // In C++20 onwards, this could be an ADL-only call to a function 947 // template, and we're required to assume that this is a template name. 948 // 949 // FIXME: Find a way to still do typo correction in this case. 950 TemplateName Template = 951 Context.getAssumedTemplateName(NameInfo.getName()); 952 return NameClassification::UndeclaredTemplate(Template); 953 } 954 955 // In C, we first see whether there is a tag type by the same name, in 956 // which case it's likely that the user just forgot to write "enum", 957 // "struct", or "union". 958 if (!getLangOpts().CPlusPlus && !SecondTry && 959 isTagTypeWithMissingTag(*this, Result, S, SS, Name, NameLoc)) { 960 break; 961 } 962 963 // Perform typo correction to determine if there is another name that is 964 // close to this name. 965 if (!SecondTry && CCC) { 966 SecondTry = true; 967 if (TypoCorrection Corrected = 968 CorrectTypo(Result.getLookupNameInfo(), Result.getLookupKind(), S, 969 &SS, *CCC, CTK_ErrorRecovery)) { 970 unsigned UnqualifiedDiag = diag::err_undeclared_var_use_suggest; 971 unsigned QualifiedDiag = diag::err_no_member_suggest; 972 973 NamedDecl *FirstDecl = Corrected.getFoundDecl(); 974 NamedDecl *UnderlyingFirstDecl = Corrected.getCorrectionDecl(); 975 if (getLangOpts().CPlusPlus && NextToken.is(tok::less) && 976 UnderlyingFirstDecl && isa<TemplateDecl>(UnderlyingFirstDecl)) { 977 UnqualifiedDiag = diag::err_no_template_suggest; 978 QualifiedDiag = diag::err_no_member_template_suggest; 979 } else if (UnderlyingFirstDecl && 980 (isa<TypeDecl>(UnderlyingFirstDecl) || 981 isa<ObjCInterfaceDecl>(UnderlyingFirstDecl) || 982 isa<ObjCCompatibleAliasDecl>(UnderlyingFirstDecl))) { 983 UnqualifiedDiag = diag::err_unknown_typename_suggest; 984 QualifiedDiag = diag::err_unknown_nested_typename_suggest; 985 } 986 987 if (SS.isEmpty()) { 988 diagnoseTypo(Corrected, PDiag(UnqualifiedDiag) << Name); 989 } else {// FIXME: is this even reachable? Test it. 990 std::string CorrectedStr(Corrected.getAsString(getLangOpts())); 991 bool DroppedSpecifier = Corrected.WillReplaceSpecifier() && 992 Name->getName().equals(CorrectedStr); 993 diagnoseTypo(Corrected, PDiag(QualifiedDiag) 994 << Name << computeDeclContext(SS, false) 995 << DroppedSpecifier << SS.getRange()); 996 } 997 998 // Update the name, so that the caller has the new name. 999 Name = Corrected.getCorrectionAsIdentifierInfo(); 1000 1001 // Typo correction corrected to a keyword. 1002 if (Corrected.isKeyword()) 1003 return Name; 1004 1005 // Also update the LookupResult... 1006 // FIXME: This should probably go away at some point 1007 Result.clear(); 1008 Result.setLookupName(Corrected.getCorrection()); 1009 if (FirstDecl) 1010 Result.addDecl(FirstDecl); 1011 1012 // If we found an Objective-C instance variable, let 1013 // LookupInObjCMethod build the appropriate expression to 1014 // reference the ivar. 1015 // FIXME: This is a gross hack. 1016 if (ObjCIvarDecl *Ivar = Result.getAsSingle<ObjCIvarDecl>()) { 1017 DeclResult R = 1018 LookupIvarInObjCMethod(Result, S, Ivar->getIdentifier()); 1019 if (R.isInvalid()) 1020 return NameClassification::Error(); 1021 if (R.isUsable()) 1022 return NameClassification::NonType(Ivar); 1023 } 1024 1025 goto Corrected; 1026 } 1027 } 1028 1029 // We failed to correct; just fall through and let the parser deal with it. 1030 Result.suppressDiagnostics(); 1031 return NameClassification::Unknown(); 1032 1033 case LookupResult::NotFoundInCurrentInstantiation: { 1034 // We performed name lookup into the current instantiation, and there were 1035 // dependent bases, so we treat this result the same way as any other 1036 // dependent nested-name-specifier. 1037 1038 // C++ [temp.res]p2: 1039 // A name used in a template declaration or definition and that is 1040 // dependent on a template-parameter is assumed not to name a type 1041 // unless the applicable name lookup finds a type name or the name is 1042 // qualified by the keyword typename. 1043 // 1044 // FIXME: If the next token is '<', we might want to ask the parser to 1045 // perform some heroics to see if we actually have a 1046 // template-argument-list, which would indicate a missing 'template' 1047 // keyword here. 1048 return NameClassification::DependentNonType(); 1049 } 1050 1051 case LookupResult::Found: 1052 case LookupResult::FoundOverloaded: 1053 case LookupResult::FoundUnresolvedValue: 1054 break; 1055 1056 case LookupResult::Ambiguous: 1057 if (getLangOpts().CPlusPlus && NextToken.is(tok::less) && 1058 hasAnyAcceptableTemplateNames(Result, /*AllowFunctionTemplates=*/true, 1059 /*AllowDependent=*/false)) { 1060 // C++ [temp.local]p3: 1061 // A lookup that finds an injected-class-name (10.2) can result in an 1062 // ambiguity in certain cases (for example, if it is found in more than 1063 // one base class). If all of the injected-class-names that are found 1064 // refer to specializations of the same class template, and if the name 1065 // is followed by a template-argument-list, the reference refers to the 1066 // class template itself and not a specialization thereof, and is not 1067 // ambiguous. 1068 // 1069 // This filtering can make an ambiguous result into an unambiguous one, 1070 // so try again after filtering out template names. 1071 FilterAcceptableTemplateNames(Result); 1072 if (!Result.isAmbiguous()) { 1073 IsFilteredTemplateName = true; 1074 break; 1075 } 1076 } 1077 1078 // Diagnose the ambiguity and return an error. 1079 return NameClassification::Error(); 1080 } 1081 1082 if (getLangOpts().CPlusPlus && NextToken.is(tok::less) && 1083 (IsFilteredTemplateName || 1084 hasAnyAcceptableTemplateNames( 1085 Result, /*AllowFunctionTemplates=*/true, 1086 /*AllowDependent=*/false, 1087 /*AllowNonTemplateFunctions*/ SS.isEmpty() && 1088 getLangOpts().CPlusPlus20))) { 1089 // C++ [temp.names]p3: 1090 // After name lookup (3.4) finds that a name is a template-name or that 1091 // an operator-function-id or a literal- operator-id refers to a set of 1092 // overloaded functions any member of which is a function template if 1093 // this is followed by a <, the < is always taken as the delimiter of a 1094 // template-argument-list and never as the less-than operator. 1095 // C++2a [temp.names]p2: 1096 // A name is also considered to refer to a template if it is an 1097 // unqualified-id followed by a < and name lookup finds either one 1098 // or more functions or finds nothing. 1099 if (!IsFilteredTemplateName) 1100 FilterAcceptableTemplateNames(Result); 1101 1102 bool IsFunctionTemplate; 1103 bool IsVarTemplate; 1104 TemplateName Template; 1105 if (Result.end() - Result.begin() > 1) { 1106 IsFunctionTemplate = true; 1107 Template = Context.getOverloadedTemplateName(Result.begin(), 1108 Result.end()); 1109 } else if (!Result.empty()) { 1110 auto *TD = cast<TemplateDecl>(getAsTemplateNameDecl( 1111 *Result.begin(), /*AllowFunctionTemplates=*/true, 1112 /*AllowDependent=*/false)); 1113 IsFunctionTemplate = isa<FunctionTemplateDecl>(TD); 1114 IsVarTemplate = isa<VarTemplateDecl>(TD); 1115 1116 UsingShadowDecl *FoundUsingShadow = 1117 dyn_cast<UsingShadowDecl>(*Result.begin()); 1118 assert(!FoundUsingShadow || 1119 TD == cast<TemplateDecl>(FoundUsingShadow->getTargetDecl())); 1120 Template = 1121 FoundUsingShadow ? TemplateName(FoundUsingShadow) : TemplateName(TD); 1122 if (SS.isNotEmpty()) 1123 Template = Context.getQualifiedTemplateName(SS.getScopeRep(), 1124 /*TemplateKeyword=*/false, 1125 Template); 1126 } else { 1127 // All results were non-template functions. This is a function template 1128 // name. 1129 IsFunctionTemplate = true; 1130 Template = Context.getAssumedTemplateName(NameInfo.getName()); 1131 } 1132 1133 if (IsFunctionTemplate) { 1134 // Function templates always go through overload resolution, at which 1135 // point we'll perform the various checks (e.g., accessibility) we need 1136 // to based on which function we selected. 1137 Result.suppressDiagnostics(); 1138 1139 return NameClassification::FunctionTemplate(Template); 1140 } 1141 1142 return IsVarTemplate ? NameClassification::VarTemplate(Template) 1143 : NameClassification::TypeTemplate(Template); 1144 } 1145 1146 auto BuildTypeFor = [&](TypeDecl *Type, NamedDecl *Found) { 1147 QualType T = Context.getTypeDeclType(Type); 1148 if (const auto *USD = dyn_cast<UsingShadowDecl>(Found)) 1149 T = Context.getUsingType(USD, T); 1150 1151 if (SS.isEmpty()) // No elaborated type, trivial location info 1152 return ParsedType::make(T); 1153 1154 TypeLocBuilder Builder; 1155 Builder.pushTypeSpec(T).setNameLoc(NameLoc); 1156 T = getElaboratedType(ETK_None, SS, T); 1157 ElaboratedTypeLoc ElabTL = Builder.push<ElaboratedTypeLoc>(T); 1158 ElabTL.setElaboratedKeywordLoc(SourceLocation()); 1159 ElabTL.setQualifierLoc(SS.getWithLocInContext(Context)); 1160 return CreateParsedType(T, Builder.getTypeSourceInfo(Context, T)); 1161 }; 1162 1163 NamedDecl *FirstDecl = (*Result.begin())->getUnderlyingDecl(); 1164 if (TypeDecl *Type = dyn_cast<TypeDecl>(FirstDecl)) { 1165 DiagnoseUseOfDecl(Type, NameLoc); 1166 MarkAnyDeclReferenced(Type->getLocation(), Type, /*OdrUse=*/false); 1167 return BuildTypeFor(Type, *Result.begin()); 1168 } 1169 1170 ObjCInterfaceDecl *Class = dyn_cast<ObjCInterfaceDecl>(FirstDecl); 1171 if (!Class) { 1172 // FIXME: It's unfortunate that we don't have a Type node for handling this. 1173 if (ObjCCompatibleAliasDecl *Alias = 1174 dyn_cast<ObjCCompatibleAliasDecl>(FirstDecl)) 1175 Class = Alias->getClassInterface(); 1176 } 1177 1178 if (Class) { 1179 DiagnoseUseOfDecl(Class, NameLoc); 1180 1181 if (NextToken.is(tok::period)) { 1182 // Interface. <something> is parsed as a property reference expression. 1183 // Just return "unknown" as a fall-through for now. 1184 Result.suppressDiagnostics(); 1185 return NameClassification::Unknown(); 1186 } 1187 1188 QualType T = Context.getObjCInterfaceType(Class); 1189 return ParsedType::make(T); 1190 } 1191 1192 if (isa<ConceptDecl>(FirstDecl)) 1193 return NameClassification::Concept( 1194 TemplateName(cast<TemplateDecl>(FirstDecl))); 1195 1196 if (auto *EmptyD = dyn_cast<UnresolvedUsingIfExistsDecl>(FirstDecl)) { 1197 (void)DiagnoseUseOfDecl(EmptyD, NameLoc); 1198 return NameClassification::Error(); 1199 } 1200 1201 // We can have a type template here if we're classifying a template argument. 1202 if (isa<TemplateDecl>(FirstDecl) && !isa<FunctionTemplateDecl>(FirstDecl) && 1203 !isa<VarTemplateDecl>(FirstDecl)) 1204 return NameClassification::TypeTemplate( 1205 TemplateName(cast<TemplateDecl>(FirstDecl))); 1206 1207 // Check for a tag type hidden by a non-type decl in a few cases where it 1208 // seems likely a type is wanted instead of the non-type that was found. 1209 bool NextIsOp = NextToken.isOneOf(tok::amp, tok::star); 1210 if ((NextToken.is(tok::identifier) || 1211 (NextIsOp && 1212 FirstDecl->getUnderlyingDecl()->isFunctionOrFunctionTemplate())) && 1213 isTagTypeWithMissingTag(*this, Result, S, SS, Name, NameLoc)) { 1214 TypeDecl *Type = Result.getAsSingle<TypeDecl>(); 1215 DiagnoseUseOfDecl(Type, NameLoc); 1216 return BuildTypeFor(Type, *Result.begin()); 1217 } 1218 1219 // If we already know which single declaration is referenced, just annotate 1220 // that declaration directly. Defer resolving even non-overloaded class 1221 // member accesses, as we need to defer certain access checks until we know 1222 // the context. 1223 bool ADL = UseArgumentDependentLookup(SS, Result, NextToken.is(tok::l_paren)); 1224 if (Result.isSingleResult() && !ADL && !FirstDecl->isCXXClassMember()) 1225 return NameClassification::NonType(Result.getRepresentativeDecl()); 1226 1227 // Otherwise, this is an overload set that we will need to resolve later. 1228 Result.suppressDiagnostics(); 1229 return NameClassification::OverloadSet(UnresolvedLookupExpr::Create( 1230 Context, Result.getNamingClass(), SS.getWithLocInContext(Context), 1231 Result.getLookupNameInfo(), ADL, Result.isOverloadedResult(), 1232 Result.begin(), Result.end())); 1233 } 1234 1235 ExprResult 1236 Sema::ActOnNameClassifiedAsUndeclaredNonType(IdentifierInfo *Name, 1237 SourceLocation NameLoc) { 1238 assert(getLangOpts().CPlusPlus && "ADL-only call in C?"); 1239 CXXScopeSpec SS; 1240 LookupResult Result(*this, Name, NameLoc, LookupOrdinaryName); 1241 return BuildDeclarationNameExpr(SS, Result, /*ADL=*/true); 1242 } 1243 1244 ExprResult 1245 Sema::ActOnNameClassifiedAsDependentNonType(const CXXScopeSpec &SS, 1246 IdentifierInfo *Name, 1247 SourceLocation NameLoc, 1248 bool IsAddressOfOperand) { 1249 DeclarationNameInfo NameInfo(Name, NameLoc); 1250 return ActOnDependentIdExpression(SS, /*TemplateKWLoc=*/SourceLocation(), 1251 NameInfo, IsAddressOfOperand, 1252 /*TemplateArgs=*/nullptr); 1253 } 1254 1255 ExprResult Sema::ActOnNameClassifiedAsNonType(Scope *S, const CXXScopeSpec &SS, 1256 NamedDecl *Found, 1257 SourceLocation NameLoc, 1258 const Token &NextToken) { 1259 if (getCurMethodDecl() && SS.isEmpty()) 1260 if (auto *Ivar = dyn_cast<ObjCIvarDecl>(Found->getUnderlyingDecl())) 1261 return BuildIvarRefExpr(S, NameLoc, Ivar); 1262 1263 // Reconstruct the lookup result. 1264 LookupResult Result(*this, Found->getDeclName(), NameLoc, LookupOrdinaryName); 1265 Result.addDecl(Found); 1266 Result.resolveKind(); 1267 1268 bool ADL = UseArgumentDependentLookup(SS, Result, NextToken.is(tok::l_paren)); 1269 return BuildDeclarationNameExpr(SS, Result, ADL); 1270 } 1271 1272 ExprResult Sema::ActOnNameClassifiedAsOverloadSet(Scope *S, Expr *E) { 1273 // For an implicit class member access, transform the result into a member 1274 // access expression if necessary. 1275 auto *ULE = cast<UnresolvedLookupExpr>(E); 1276 if ((*ULE->decls_begin())->isCXXClassMember()) { 1277 CXXScopeSpec SS; 1278 SS.Adopt(ULE->getQualifierLoc()); 1279 1280 // Reconstruct the lookup result. 1281 LookupResult Result(*this, ULE->getName(), ULE->getNameLoc(), 1282 LookupOrdinaryName); 1283 Result.setNamingClass(ULE->getNamingClass()); 1284 for (auto I = ULE->decls_begin(), E = ULE->decls_end(); I != E; ++I) 1285 Result.addDecl(*I, I.getAccess()); 1286 Result.resolveKind(); 1287 return BuildPossibleImplicitMemberExpr(SS, SourceLocation(), Result, 1288 nullptr, S); 1289 } 1290 1291 // Otherwise, this is already in the form we needed, and no further checks 1292 // are necessary. 1293 return ULE; 1294 } 1295 1296 Sema::TemplateNameKindForDiagnostics 1297 Sema::getTemplateNameKindForDiagnostics(TemplateName Name) { 1298 auto *TD = Name.getAsTemplateDecl(); 1299 if (!TD) 1300 return TemplateNameKindForDiagnostics::DependentTemplate; 1301 if (isa<ClassTemplateDecl>(TD)) 1302 return TemplateNameKindForDiagnostics::ClassTemplate; 1303 if (isa<FunctionTemplateDecl>(TD)) 1304 return TemplateNameKindForDiagnostics::FunctionTemplate; 1305 if (isa<VarTemplateDecl>(TD)) 1306 return TemplateNameKindForDiagnostics::VarTemplate; 1307 if (isa<TypeAliasTemplateDecl>(TD)) 1308 return TemplateNameKindForDiagnostics::AliasTemplate; 1309 if (isa<TemplateTemplateParmDecl>(TD)) 1310 return TemplateNameKindForDiagnostics::TemplateTemplateParam; 1311 if (isa<ConceptDecl>(TD)) 1312 return TemplateNameKindForDiagnostics::Concept; 1313 return TemplateNameKindForDiagnostics::DependentTemplate; 1314 } 1315 1316 void Sema::PushDeclContext(Scope *S, DeclContext *DC) { 1317 assert(DC->getLexicalParent() == CurContext && 1318 "The next DeclContext should be lexically contained in the current one."); 1319 CurContext = DC; 1320 S->setEntity(DC); 1321 } 1322 1323 void Sema::PopDeclContext() { 1324 assert(CurContext && "DeclContext imbalance!"); 1325 1326 CurContext = CurContext->getLexicalParent(); 1327 assert(CurContext && "Popped translation unit!"); 1328 } 1329 1330 Sema::SkippedDefinitionContext Sema::ActOnTagStartSkippedDefinition(Scope *S, 1331 Decl *D) { 1332 // Unlike PushDeclContext, the context to which we return is not necessarily 1333 // the containing DC of TD, because the new context will be some pre-existing 1334 // TagDecl definition instead of a fresh one. 1335 auto Result = static_cast<SkippedDefinitionContext>(CurContext); 1336 CurContext = cast<TagDecl>(D)->getDefinition(); 1337 assert(CurContext && "skipping definition of undefined tag"); 1338 // Start lookups from the parent of the current context; we don't want to look 1339 // into the pre-existing complete definition. 1340 S->setEntity(CurContext->getLookupParent()); 1341 return Result; 1342 } 1343 1344 void Sema::ActOnTagFinishSkippedDefinition(SkippedDefinitionContext Context) { 1345 CurContext = static_cast<decltype(CurContext)>(Context); 1346 } 1347 1348 /// EnterDeclaratorContext - Used when we must lookup names in the context 1349 /// of a declarator's nested name specifier. 1350 /// 1351 void Sema::EnterDeclaratorContext(Scope *S, DeclContext *DC) { 1352 // C++0x [basic.lookup.unqual]p13: 1353 // A name used in the definition of a static data member of class 1354 // X (after the qualified-id of the static member) is looked up as 1355 // if the name was used in a member function of X. 1356 // C++0x [basic.lookup.unqual]p14: 1357 // If a variable member of a namespace is defined outside of the 1358 // scope of its namespace then any name used in the definition of 1359 // the variable member (after the declarator-id) is looked up as 1360 // if the definition of the variable member occurred in its 1361 // namespace. 1362 // Both of these imply that we should push a scope whose context 1363 // is the semantic context of the declaration. We can't use 1364 // PushDeclContext here because that context is not necessarily 1365 // lexically contained in the current context. Fortunately, 1366 // the containing scope should have the appropriate information. 1367 1368 assert(!S->getEntity() && "scope already has entity"); 1369 1370 #ifndef NDEBUG 1371 Scope *Ancestor = S->getParent(); 1372 while (!Ancestor->getEntity()) Ancestor = Ancestor->getParent(); 1373 assert(Ancestor->getEntity() == CurContext && "ancestor context mismatch"); 1374 #endif 1375 1376 CurContext = DC; 1377 S->setEntity(DC); 1378 1379 if (S->getParent()->isTemplateParamScope()) { 1380 // Also set the corresponding entities for all immediately-enclosing 1381 // template parameter scopes. 1382 EnterTemplatedContext(S->getParent(), DC); 1383 } 1384 } 1385 1386 void Sema::ExitDeclaratorContext(Scope *S) { 1387 assert(S->getEntity() == CurContext && "Context imbalance!"); 1388 1389 // Switch back to the lexical context. The safety of this is 1390 // enforced by an assert in EnterDeclaratorContext. 1391 Scope *Ancestor = S->getParent(); 1392 while (!Ancestor->getEntity()) Ancestor = Ancestor->getParent(); 1393 CurContext = Ancestor->getEntity(); 1394 1395 // We don't need to do anything with the scope, which is going to 1396 // disappear. 1397 } 1398 1399 void Sema::EnterTemplatedContext(Scope *S, DeclContext *DC) { 1400 assert(S->isTemplateParamScope() && 1401 "expected to be initializing a template parameter scope"); 1402 1403 // C++20 [temp.local]p7: 1404 // In the definition of a member of a class template that appears outside 1405 // of the class template definition, the name of a member of the class 1406 // template hides the name of a template-parameter of any enclosing class 1407 // templates (but not a template-parameter of the member if the member is a 1408 // class or function template). 1409 // C++20 [temp.local]p9: 1410 // In the definition of a class template or in the definition of a member 1411 // of such a template that appears outside of the template definition, for 1412 // each non-dependent base class (13.8.2.1), if the name of the base class 1413 // or the name of a member of the base class is the same as the name of a 1414 // template-parameter, the base class name or member name hides the 1415 // template-parameter name (6.4.10). 1416 // 1417 // This means that a template parameter scope should be searched immediately 1418 // after searching the DeclContext for which it is a template parameter 1419 // scope. For example, for 1420 // template<typename T> template<typename U> template<typename V> 1421 // void N::A<T>::B<U>::f(...) 1422 // we search V then B<U> (and base classes) then U then A<T> (and base 1423 // classes) then T then N then ::. 1424 unsigned ScopeDepth = getTemplateDepth(S); 1425 for (; S && S->isTemplateParamScope(); S = S->getParent(), --ScopeDepth) { 1426 DeclContext *SearchDCAfterScope = DC; 1427 for (; DC; DC = DC->getLookupParent()) { 1428 if (const TemplateParameterList *TPL = 1429 cast<Decl>(DC)->getDescribedTemplateParams()) { 1430 unsigned DCDepth = TPL->getDepth() + 1; 1431 if (DCDepth > ScopeDepth) 1432 continue; 1433 if (ScopeDepth == DCDepth) 1434 SearchDCAfterScope = DC = DC->getLookupParent(); 1435 break; 1436 } 1437 } 1438 S->setLookupEntity(SearchDCAfterScope); 1439 } 1440 } 1441 1442 void Sema::ActOnReenterFunctionContext(Scope* S, Decl *D) { 1443 // We assume that the caller has already called 1444 // ActOnReenterTemplateScope so getTemplatedDecl() works. 1445 FunctionDecl *FD = D->getAsFunction(); 1446 if (!FD) 1447 return; 1448 1449 // Same implementation as PushDeclContext, but enters the context 1450 // from the lexical parent, rather than the top-level class. 1451 assert(CurContext == FD->getLexicalParent() && 1452 "The next DeclContext should be lexically contained in the current one."); 1453 CurContext = FD; 1454 S->setEntity(CurContext); 1455 1456 for (unsigned P = 0, NumParams = FD->getNumParams(); P < NumParams; ++P) { 1457 ParmVarDecl *Param = FD->getParamDecl(P); 1458 // If the parameter has an identifier, then add it to the scope 1459 if (Param->getIdentifier()) { 1460 S->AddDecl(Param); 1461 IdResolver.AddDecl(Param); 1462 } 1463 } 1464 } 1465 1466 void Sema::ActOnExitFunctionContext() { 1467 // Same implementation as PopDeclContext, but returns to the lexical parent, 1468 // rather than the top-level class. 1469 assert(CurContext && "DeclContext imbalance!"); 1470 CurContext = CurContext->getLexicalParent(); 1471 assert(CurContext && "Popped translation unit!"); 1472 } 1473 1474 /// Determine whether overloading is allowed for a new function 1475 /// declaration considering prior declarations of the same name. 1476 /// 1477 /// This routine determines whether overloading is possible, not 1478 /// whether a new declaration actually overloads a previous one. 1479 /// It will return true in C++ (where overloads are alway permitted) 1480 /// or, as a C extension, when either the new declaration or a 1481 /// previous one is declared with the 'overloadable' attribute. 1482 static bool AllowOverloadingOfFunction(const LookupResult &Previous, 1483 ASTContext &Context, 1484 const FunctionDecl *New) { 1485 if (Context.getLangOpts().CPlusPlus || New->hasAttr<OverloadableAttr>()) 1486 return true; 1487 1488 // Multiversion function declarations are not overloads in the 1489 // usual sense of that term, but lookup will report that an 1490 // overload set was found if more than one multiversion function 1491 // declaration is present for the same name. It is therefore 1492 // inadequate to assume that some prior declaration(s) had 1493 // the overloadable attribute; checking is required. Since one 1494 // declaration is permitted to omit the attribute, it is necessary 1495 // to check at least two; hence the 'any_of' check below. Note that 1496 // the overloadable attribute is implicitly added to declarations 1497 // that were required to have it but did not. 1498 if (Previous.getResultKind() == LookupResult::FoundOverloaded) { 1499 return llvm::any_of(Previous, [](const NamedDecl *ND) { 1500 return ND->hasAttr<OverloadableAttr>(); 1501 }); 1502 } else if (Previous.getResultKind() == LookupResult::Found) 1503 return Previous.getFoundDecl()->hasAttr<OverloadableAttr>(); 1504 1505 return false; 1506 } 1507 1508 /// Add this decl to the scope shadowed decl chains. 1509 void Sema::PushOnScopeChains(NamedDecl *D, Scope *S, bool AddToContext) { 1510 // Move up the scope chain until we find the nearest enclosing 1511 // non-transparent context. The declaration will be introduced into this 1512 // scope. 1513 while (S->getEntity() && S->getEntity()->isTransparentContext()) 1514 S = S->getParent(); 1515 1516 // Add scoped declarations into their context, so that they can be 1517 // found later. Declarations without a context won't be inserted 1518 // into any context. 1519 if (AddToContext) 1520 CurContext->addDecl(D); 1521 1522 // Out-of-line definitions shouldn't be pushed into scope in C++, unless they 1523 // are function-local declarations. 1524 if (getLangOpts().CPlusPlus && D->isOutOfLine() && !S->getFnParent()) 1525 return; 1526 1527 // Template instantiations should also not be pushed into scope. 1528 if (isa<FunctionDecl>(D) && 1529 cast<FunctionDecl>(D)->isFunctionTemplateSpecialization()) 1530 return; 1531 1532 // If this replaces anything in the current scope, 1533 IdentifierResolver::iterator I = IdResolver.begin(D->getDeclName()), 1534 IEnd = IdResolver.end(); 1535 for (; I != IEnd; ++I) { 1536 if (S->isDeclScope(*I) && D->declarationReplaces(*I)) { 1537 S->RemoveDecl(*I); 1538 IdResolver.RemoveDecl(*I); 1539 1540 // Should only need to replace one decl. 1541 break; 1542 } 1543 } 1544 1545 S->AddDecl(D); 1546 1547 if (isa<LabelDecl>(D) && !cast<LabelDecl>(D)->isGnuLocal()) { 1548 // Implicitly-generated labels may end up getting generated in an order that 1549 // isn't strictly lexical, which breaks name lookup. Be careful to insert 1550 // the label at the appropriate place in the identifier chain. 1551 for (I = IdResolver.begin(D->getDeclName()); I != IEnd; ++I) { 1552 DeclContext *IDC = (*I)->getLexicalDeclContext()->getRedeclContext(); 1553 if (IDC == CurContext) { 1554 if (!S->isDeclScope(*I)) 1555 continue; 1556 } else if (IDC->Encloses(CurContext)) 1557 break; 1558 } 1559 1560 IdResolver.InsertDeclAfter(I, D); 1561 } else { 1562 IdResolver.AddDecl(D); 1563 } 1564 warnOnReservedIdentifier(D); 1565 } 1566 1567 bool Sema::isDeclInScope(NamedDecl *D, DeclContext *Ctx, Scope *S, 1568 bool AllowInlineNamespace) { 1569 return IdResolver.isDeclInScope(D, Ctx, S, AllowInlineNamespace); 1570 } 1571 1572 Scope *Sema::getScopeForDeclContext(Scope *S, DeclContext *DC) { 1573 DeclContext *TargetDC = DC->getPrimaryContext(); 1574 do { 1575 if (DeclContext *ScopeDC = S->getEntity()) 1576 if (ScopeDC->getPrimaryContext() == TargetDC) 1577 return S; 1578 } while ((S = S->getParent())); 1579 1580 return nullptr; 1581 } 1582 1583 static bool isOutOfScopePreviousDeclaration(NamedDecl *, 1584 DeclContext*, 1585 ASTContext&); 1586 1587 /// Filters out lookup results that don't fall within the given scope 1588 /// as determined by isDeclInScope. 1589 void Sema::FilterLookupForScope(LookupResult &R, DeclContext *Ctx, Scope *S, 1590 bool ConsiderLinkage, 1591 bool AllowInlineNamespace) { 1592 LookupResult::Filter F = R.makeFilter(); 1593 while (F.hasNext()) { 1594 NamedDecl *D = F.next(); 1595 1596 if (isDeclInScope(D, Ctx, S, AllowInlineNamespace)) 1597 continue; 1598 1599 if (ConsiderLinkage && isOutOfScopePreviousDeclaration(D, Ctx, Context)) 1600 continue; 1601 1602 F.erase(); 1603 } 1604 1605 F.done(); 1606 } 1607 1608 /// We've determined that \p New is a redeclaration of \p Old. Check that they 1609 /// have compatible owning modules. 1610 bool Sema::CheckRedeclarationModuleOwnership(NamedDecl *New, NamedDecl *Old) { 1611 // [module.interface]p7: 1612 // A declaration is attached to a module as follows: 1613 // - If the declaration is a non-dependent friend declaration that nominates a 1614 // function with a declarator-id that is a qualified-id or template-id or that 1615 // nominates a class other than with an elaborated-type-specifier with neither 1616 // a nested-name-specifier nor a simple-template-id, it is attached to the 1617 // module to which the friend is attached ([basic.link]). 1618 if (New->getFriendObjectKind() && 1619 Old->getOwningModuleForLinkage() != New->getOwningModuleForLinkage()) { 1620 New->setLocalOwningModule(Old->getOwningModule()); 1621 makeMergedDefinitionVisible(New); 1622 return false; 1623 } 1624 1625 Module *NewM = New->getOwningModule(); 1626 Module *OldM = Old->getOwningModule(); 1627 1628 if (NewM && NewM->Kind == Module::PrivateModuleFragment) 1629 NewM = NewM->Parent; 1630 if (OldM && OldM->Kind == Module::PrivateModuleFragment) 1631 OldM = OldM->Parent; 1632 1633 // If we have a decl in a module partition, it is part of the containing 1634 // module (which is the only thing that can be importing it). 1635 if (NewM && OldM && 1636 (OldM->Kind == Module::ModulePartitionInterface || 1637 OldM->Kind == Module::ModulePartitionImplementation)) { 1638 return false; 1639 } 1640 1641 if (NewM == OldM) 1642 return false; 1643 1644 bool NewIsModuleInterface = NewM && NewM->isModulePurview(); 1645 bool OldIsModuleInterface = OldM && OldM->isModulePurview(); 1646 if (NewIsModuleInterface || OldIsModuleInterface) { 1647 // C++ Modules TS [basic.def.odr] 6.2/6.7 [sic]: 1648 // if a declaration of D [...] appears in the purview of a module, all 1649 // other such declarations shall appear in the purview of the same module 1650 Diag(New->getLocation(), diag::err_mismatched_owning_module) 1651 << New 1652 << NewIsModuleInterface 1653 << (NewIsModuleInterface ? NewM->getFullModuleName() : "") 1654 << OldIsModuleInterface 1655 << (OldIsModuleInterface ? OldM->getFullModuleName() : ""); 1656 Diag(Old->getLocation(), diag::note_previous_declaration); 1657 New->setInvalidDecl(); 1658 return true; 1659 } 1660 1661 return false; 1662 } 1663 1664 // [module.interface]p6: 1665 // A redeclaration of an entity X is implicitly exported if X was introduced by 1666 // an exported declaration; otherwise it shall not be exported. 1667 bool Sema::CheckRedeclarationExported(NamedDecl *New, NamedDecl *Old) { 1668 // [module.interface]p1: 1669 // An export-declaration shall inhabit a namespace scope. 1670 // 1671 // So it is meaningless to talk about redeclaration which is not at namespace 1672 // scope. 1673 if (!New->getLexicalDeclContext() 1674 ->getNonTransparentContext() 1675 ->isFileContext() || 1676 !Old->getLexicalDeclContext() 1677 ->getNonTransparentContext() 1678 ->isFileContext()) 1679 return false; 1680 1681 bool IsNewExported = New->isInExportDeclContext(); 1682 bool IsOldExported = Old->isInExportDeclContext(); 1683 1684 // It should be irrevelant if both of them are not exported. 1685 if (!IsNewExported && !IsOldExported) 1686 return false; 1687 1688 if (IsOldExported) 1689 return false; 1690 1691 assert(IsNewExported); 1692 1693 auto Lk = Old->getFormalLinkage(); 1694 int S = 0; 1695 if (Lk == Linkage::InternalLinkage) 1696 S = 1; 1697 else if (Lk == Linkage::ModuleLinkage) 1698 S = 2; 1699 Diag(New->getLocation(), diag::err_redeclaration_non_exported) << New << S; 1700 Diag(Old->getLocation(), diag::note_previous_declaration); 1701 return true; 1702 } 1703 1704 // A wrapper function for checking the semantic restrictions of 1705 // a redeclaration within a module. 1706 bool Sema::CheckRedeclarationInModule(NamedDecl *New, NamedDecl *Old) { 1707 if (CheckRedeclarationModuleOwnership(New, Old)) 1708 return true; 1709 1710 if (CheckRedeclarationExported(New, Old)) 1711 return true; 1712 1713 return false; 1714 } 1715 1716 static bool isUsingDecl(NamedDecl *D) { 1717 return isa<UsingShadowDecl>(D) || 1718 isa<UnresolvedUsingTypenameDecl>(D) || 1719 isa<UnresolvedUsingValueDecl>(D); 1720 } 1721 1722 /// Removes using shadow declarations from the lookup results. 1723 static void RemoveUsingDecls(LookupResult &R) { 1724 LookupResult::Filter F = R.makeFilter(); 1725 while (F.hasNext()) 1726 if (isUsingDecl(F.next())) 1727 F.erase(); 1728 1729 F.done(); 1730 } 1731 1732 /// Check for this common pattern: 1733 /// @code 1734 /// class S { 1735 /// S(const S&); // DO NOT IMPLEMENT 1736 /// void operator=(const S&); // DO NOT IMPLEMENT 1737 /// }; 1738 /// @endcode 1739 static bool IsDisallowedCopyOrAssign(const CXXMethodDecl *D) { 1740 // FIXME: Should check for private access too but access is set after we get 1741 // the decl here. 1742 if (D->doesThisDeclarationHaveABody()) 1743 return false; 1744 1745 if (const CXXConstructorDecl *CD = dyn_cast<CXXConstructorDecl>(D)) 1746 return CD->isCopyConstructor(); 1747 return D->isCopyAssignmentOperator(); 1748 } 1749 1750 // We need this to handle 1751 // 1752 // typedef struct { 1753 // void *foo() { return 0; } 1754 // } A; 1755 // 1756 // When we see foo we don't know if after the typedef we will get 'A' or '*A' 1757 // for example. If 'A', foo will have external linkage. If we have '*A', 1758 // foo will have no linkage. Since we can't know until we get to the end 1759 // of the typedef, this function finds out if D might have non-external linkage. 1760 // Callers should verify at the end of the TU if it D has external linkage or 1761 // not. 1762 bool Sema::mightHaveNonExternalLinkage(const DeclaratorDecl *D) { 1763 const DeclContext *DC = D->getDeclContext(); 1764 while (!DC->isTranslationUnit()) { 1765 if (const RecordDecl *RD = dyn_cast<RecordDecl>(DC)){ 1766 if (!RD->hasNameForLinkage()) 1767 return true; 1768 } 1769 DC = DC->getParent(); 1770 } 1771 1772 return !D->isExternallyVisible(); 1773 } 1774 1775 // FIXME: This needs to be refactored; some other isInMainFile users want 1776 // these semantics. 1777 static bool isMainFileLoc(const Sema &S, SourceLocation Loc) { 1778 if (S.TUKind != TU_Complete) 1779 return false; 1780 return S.SourceMgr.isInMainFile(Loc); 1781 } 1782 1783 bool Sema::ShouldWarnIfUnusedFileScopedDecl(const DeclaratorDecl *D) const { 1784 assert(D); 1785 1786 if (D->isInvalidDecl() || D->isUsed() || D->hasAttr<UnusedAttr>()) 1787 return false; 1788 1789 // Ignore all entities declared within templates, and out-of-line definitions 1790 // of members of class templates. 1791 if (D->getDeclContext()->isDependentContext() || 1792 D->getLexicalDeclContext()->isDependentContext()) 1793 return false; 1794 1795 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 1796 if (FD->getTemplateSpecializationKind() == TSK_ImplicitInstantiation) 1797 return false; 1798 // A non-out-of-line declaration of a member specialization was implicitly 1799 // instantiated; it's the out-of-line declaration that we're interested in. 1800 if (FD->getTemplateSpecializationKind() == TSK_ExplicitSpecialization && 1801 FD->getMemberSpecializationInfo() && !FD->isOutOfLine()) 1802 return false; 1803 1804 if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD)) { 1805 if (MD->isVirtual() || IsDisallowedCopyOrAssign(MD)) 1806 return false; 1807 } else { 1808 // 'static inline' functions are defined in headers; don't warn. 1809 if (FD->isInlined() && !isMainFileLoc(*this, FD->getLocation())) 1810 return false; 1811 } 1812 1813 if (FD->doesThisDeclarationHaveABody() && 1814 Context.DeclMustBeEmitted(FD)) 1815 return false; 1816 } else if (const VarDecl *VD = dyn_cast<VarDecl>(D)) { 1817 // Constants and utility variables are defined in headers with internal 1818 // linkage; don't warn. (Unlike functions, there isn't a convenient marker 1819 // like "inline".) 1820 if (!isMainFileLoc(*this, VD->getLocation())) 1821 return false; 1822 1823 if (Context.DeclMustBeEmitted(VD)) 1824 return false; 1825 1826 if (VD->isStaticDataMember() && 1827 VD->getTemplateSpecializationKind() == TSK_ImplicitInstantiation) 1828 return false; 1829 if (VD->isStaticDataMember() && 1830 VD->getTemplateSpecializationKind() == TSK_ExplicitSpecialization && 1831 VD->getMemberSpecializationInfo() && !VD->isOutOfLine()) 1832 return false; 1833 1834 if (VD->isInline() && !isMainFileLoc(*this, VD->getLocation())) 1835 return false; 1836 } else { 1837 return false; 1838 } 1839 1840 // Only warn for unused decls internal to the translation unit. 1841 // FIXME: This seems like a bogus check; it suppresses -Wunused-function 1842 // for inline functions defined in the main source file, for instance. 1843 return mightHaveNonExternalLinkage(D); 1844 } 1845 1846 void Sema::MarkUnusedFileScopedDecl(const DeclaratorDecl *D) { 1847 if (!D) 1848 return; 1849 1850 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 1851 const FunctionDecl *First = FD->getFirstDecl(); 1852 if (FD != First && ShouldWarnIfUnusedFileScopedDecl(First)) 1853 return; // First should already be in the vector. 1854 } 1855 1856 if (const VarDecl *VD = dyn_cast<VarDecl>(D)) { 1857 const VarDecl *First = VD->getFirstDecl(); 1858 if (VD != First && ShouldWarnIfUnusedFileScopedDecl(First)) 1859 return; // First should already be in the vector. 1860 } 1861 1862 if (ShouldWarnIfUnusedFileScopedDecl(D)) 1863 UnusedFileScopedDecls.push_back(D); 1864 } 1865 1866 static bool ShouldDiagnoseUnusedDecl(const NamedDecl *D) { 1867 if (D->isInvalidDecl()) 1868 return false; 1869 1870 if (auto *DD = dyn_cast<DecompositionDecl>(D)) { 1871 // For a decomposition declaration, warn if none of the bindings are 1872 // referenced, instead of if the variable itself is referenced (which 1873 // it is, by the bindings' expressions). 1874 for (auto *BD : DD->bindings()) 1875 if (BD->isReferenced()) 1876 return false; 1877 } else if (!D->getDeclName()) { 1878 return false; 1879 } else if (D->isReferenced() || D->isUsed()) { 1880 return false; 1881 } 1882 1883 if (D->hasAttr<UnusedAttr>() || D->hasAttr<ObjCPreciseLifetimeAttr>()) 1884 return false; 1885 1886 if (isa<LabelDecl>(D)) 1887 return true; 1888 1889 // Except for labels, we only care about unused decls that are local to 1890 // functions. 1891 bool WithinFunction = D->getDeclContext()->isFunctionOrMethod(); 1892 if (const auto *R = dyn_cast<CXXRecordDecl>(D->getDeclContext())) 1893 // For dependent types, the diagnostic is deferred. 1894 WithinFunction = 1895 WithinFunction || (R->isLocalClass() && !R->isDependentType()); 1896 if (!WithinFunction) 1897 return false; 1898 1899 if (isa<TypedefNameDecl>(D)) 1900 return true; 1901 1902 // White-list anything that isn't a local variable. 1903 if (!isa<VarDecl>(D) || isa<ParmVarDecl>(D) || isa<ImplicitParamDecl>(D)) 1904 return false; 1905 1906 // Types of valid local variables should be complete, so this should succeed. 1907 if (const VarDecl *VD = dyn_cast<VarDecl>(D)) { 1908 1909 const Expr *Init = VD->getInit(); 1910 if (const auto *Cleanups = dyn_cast_or_null<ExprWithCleanups>(Init)) 1911 Init = Cleanups->getSubExpr(); 1912 1913 const auto *Ty = VD->getType().getTypePtr(); 1914 1915 // Only look at the outermost level of typedef. 1916 if (const TypedefType *TT = Ty->getAs<TypedefType>()) { 1917 // Allow anything marked with __attribute__((unused)). 1918 if (TT->getDecl()->hasAttr<UnusedAttr>()) 1919 return false; 1920 } 1921 1922 // Warn for reference variables whose initializtion performs lifetime 1923 // extension. 1924 if (const auto *MTE = dyn_cast_or_null<MaterializeTemporaryExpr>(Init)) { 1925 if (MTE->getExtendingDecl()) { 1926 Ty = VD->getType().getNonReferenceType().getTypePtr(); 1927 Init = MTE->getSubExpr()->IgnoreImplicitAsWritten(); 1928 } 1929 } 1930 1931 // If we failed to complete the type for some reason, or if the type is 1932 // dependent, don't diagnose the variable. 1933 if (Ty->isIncompleteType() || Ty->isDependentType()) 1934 return false; 1935 1936 // Look at the element type to ensure that the warning behaviour is 1937 // consistent for both scalars and arrays. 1938 Ty = Ty->getBaseElementTypeUnsafe(); 1939 1940 if (const TagType *TT = Ty->getAs<TagType>()) { 1941 const TagDecl *Tag = TT->getDecl(); 1942 if (Tag->hasAttr<UnusedAttr>()) 1943 return false; 1944 1945 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(Tag)) { 1946 if (!RD->hasTrivialDestructor() && !RD->hasAttr<WarnUnusedAttr>()) 1947 return false; 1948 1949 if (Init) { 1950 const CXXConstructExpr *Construct = 1951 dyn_cast<CXXConstructExpr>(Init); 1952 if (Construct && !Construct->isElidable()) { 1953 CXXConstructorDecl *CD = Construct->getConstructor(); 1954 if (!CD->isTrivial() && !RD->hasAttr<WarnUnusedAttr>() && 1955 (VD->getInit()->isValueDependent() || !VD->evaluateValue())) 1956 return false; 1957 } 1958 1959 // Suppress the warning if we don't know how this is constructed, and 1960 // it could possibly be non-trivial constructor. 1961 if (Init->isTypeDependent()) { 1962 for (const CXXConstructorDecl *Ctor : RD->ctors()) 1963 if (!Ctor->isTrivial()) 1964 return false; 1965 } 1966 1967 // Suppress the warning if the constructor is unresolved because 1968 // its arguments are dependent. 1969 if (isa<CXXUnresolvedConstructExpr>(Init)) 1970 return false; 1971 } 1972 } 1973 } 1974 1975 // TODO: __attribute__((unused)) templates? 1976 } 1977 1978 return true; 1979 } 1980 1981 static void GenerateFixForUnusedDecl(const NamedDecl *D, ASTContext &Ctx, 1982 FixItHint &Hint) { 1983 if (isa<LabelDecl>(D)) { 1984 SourceLocation AfterColon = Lexer::findLocationAfterToken( 1985 D->getEndLoc(), tok::colon, Ctx.getSourceManager(), Ctx.getLangOpts(), 1986 true); 1987 if (AfterColon.isInvalid()) 1988 return; 1989 Hint = FixItHint::CreateRemoval( 1990 CharSourceRange::getCharRange(D->getBeginLoc(), AfterColon)); 1991 } 1992 } 1993 1994 void Sema::DiagnoseUnusedNestedTypedefs(const RecordDecl *D) { 1995 if (D->getTypeForDecl()->isDependentType()) 1996 return; 1997 1998 for (auto *TmpD : D->decls()) { 1999 if (const auto *T = dyn_cast<TypedefNameDecl>(TmpD)) 2000 DiagnoseUnusedDecl(T); 2001 else if(const auto *R = dyn_cast<RecordDecl>(TmpD)) 2002 DiagnoseUnusedNestedTypedefs(R); 2003 } 2004 } 2005 2006 /// DiagnoseUnusedDecl - Emit warnings about declarations that are not used 2007 /// unless they are marked attr(unused). 2008 void Sema::DiagnoseUnusedDecl(const NamedDecl *D) { 2009 if (!ShouldDiagnoseUnusedDecl(D)) 2010 return; 2011 2012 if (auto *TD = dyn_cast<TypedefNameDecl>(D)) { 2013 // typedefs can be referenced later on, so the diagnostics are emitted 2014 // at end-of-translation-unit. 2015 UnusedLocalTypedefNameCandidates.insert(TD); 2016 return; 2017 } 2018 2019 FixItHint Hint; 2020 GenerateFixForUnusedDecl(D, Context, Hint); 2021 2022 unsigned DiagID; 2023 if (isa<VarDecl>(D) && cast<VarDecl>(D)->isExceptionVariable()) 2024 DiagID = diag::warn_unused_exception_param; 2025 else if (isa<LabelDecl>(D)) 2026 DiagID = diag::warn_unused_label; 2027 else 2028 DiagID = diag::warn_unused_variable; 2029 2030 Diag(D->getLocation(), DiagID) << D << Hint; 2031 } 2032 2033 void Sema::DiagnoseUnusedButSetDecl(const VarDecl *VD) { 2034 // If it's not referenced, it can't be set. If it has the Cleanup attribute, 2035 // it's not really unused. 2036 if (!VD->isReferenced() || !VD->getDeclName() || VD->hasAttr<UnusedAttr>() || 2037 VD->hasAttr<CleanupAttr>()) 2038 return; 2039 2040 const auto *Ty = VD->getType().getTypePtr()->getBaseElementTypeUnsafe(); 2041 2042 if (Ty->isReferenceType() || Ty->isDependentType()) 2043 return; 2044 2045 if (const TagType *TT = Ty->getAs<TagType>()) { 2046 const TagDecl *Tag = TT->getDecl(); 2047 if (Tag->hasAttr<UnusedAttr>()) 2048 return; 2049 // In C++, don't warn for record types that don't have WarnUnusedAttr, to 2050 // mimic gcc's behavior. 2051 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(Tag)) { 2052 if (!RD->hasAttr<WarnUnusedAttr>()) 2053 return; 2054 } 2055 } 2056 2057 // Don't warn about __block Objective-C pointer variables, as they might 2058 // be assigned in the block but not used elsewhere for the purpose of lifetime 2059 // extension. 2060 if (VD->hasAttr<BlocksAttr>() && Ty->isObjCObjectPointerType()) 2061 return; 2062 2063 // Don't warn about Objective-C pointer variables with precise lifetime 2064 // semantics; they can be used to ensure ARC releases the object at a known 2065 // time, which may mean assignment but no other references. 2066 if (VD->hasAttr<ObjCPreciseLifetimeAttr>() && Ty->isObjCObjectPointerType()) 2067 return; 2068 2069 auto iter = RefsMinusAssignments.find(VD); 2070 if (iter == RefsMinusAssignments.end()) 2071 return; 2072 2073 assert(iter->getSecond() >= 0 && 2074 "Found a negative number of references to a VarDecl"); 2075 if (iter->getSecond() != 0) 2076 return; 2077 unsigned DiagID = isa<ParmVarDecl>(VD) ? diag::warn_unused_but_set_parameter 2078 : diag::warn_unused_but_set_variable; 2079 Diag(VD->getLocation(), DiagID) << VD; 2080 } 2081 2082 static void CheckPoppedLabel(LabelDecl *L, Sema &S) { 2083 // Verify that we have no forward references left. If so, there was a goto 2084 // or address of a label taken, but no definition of it. Label fwd 2085 // definitions are indicated with a null substmt which is also not a resolved 2086 // MS inline assembly label name. 2087 bool Diagnose = false; 2088 if (L->isMSAsmLabel()) 2089 Diagnose = !L->isResolvedMSAsmLabel(); 2090 else 2091 Diagnose = L->getStmt() == nullptr; 2092 if (Diagnose) 2093 S.Diag(L->getLocation(), diag::err_undeclared_label_use) << L; 2094 } 2095 2096 void Sema::ActOnPopScope(SourceLocation Loc, Scope *S) { 2097 S->mergeNRVOIntoParent(); 2098 2099 if (S->decl_empty()) return; 2100 assert((S->getFlags() & (Scope::DeclScope | Scope::TemplateParamScope)) && 2101 "Scope shouldn't contain decls!"); 2102 2103 for (auto *TmpD : S->decls()) { 2104 assert(TmpD && "This decl didn't get pushed??"); 2105 2106 assert(isa<NamedDecl>(TmpD) && "Decl isn't NamedDecl?"); 2107 NamedDecl *D = cast<NamedDecl>(TmpD); 2108 2109 // Diagnose unused variables in this scope. 2110 if (!S->hasUnrecoverableErrorOccurred()) { 2111 DiagnoseUnusedDecl(D); 2112 if (const auto *RD = dyn_cast<RecordDecl>(D)) 2113 DiagnoseUnusedNestedTypedefs(RD); 2114 if (VarDecl *VD = dyn_cast<VarDecl>(D)) { 2115 DiagnoseUnusedButSetDecl(VD); 2116 RefsMinusAssignments.erase(VD); 2117 } 2118 } 2119 2120 if (!D->getDeclName()) continue; 2121 2122 // If this was a forward reference to a label, verify it was defined. 2123 if (LabelDecl *LD = dyn_cast<LabelDecl>(D)) 2124 CheckPoppedLabel(LD, *this); 2125 2126 // Remove this name from our lexical scope, and warn on it if we haven't 2127 // already. 2128 IdResolver.RemoveDecl(D); 2129 auto ShadowI = ShadowingDecls.find(D); 2130 if (ShadowI != ShadowingDecls.end()) { 2131 if (const auto *FD = dyn_cast<FieldDecl>(ShadowI->second)) { 2132 Diag(D->getLocation(), diag::warn_ctor_parm_shadows_field) 2133 << D << FD << FD->getParent(); 2134 Diag(FD->getLocation(), diag::note_previous_declaration); 2135 } 2136 ShadowingDecls.erase(ShadowI); 2137 } 2138 } 2139 } 2140 2141 /// Look for an Objective-C class in the translation unit. 2142 /// 2143 /// \param Id The name of the Objective-C class we're looking for. If 2144 /// typo-correction fixes this name, the Id will be updated 2145 /// to the fixed name. 2146 /// 2147 /// \param IdLoc The location of the name in the translation unit. 2148 /// 2149 /// \param DoTypoCorrection If true, this routine will attempt typo correction 2150 /// if there is no class with the given name. 2151 /// 2152 /// \returns The declaration of the named Objective-C class, or NULL if the 2153 /// class could not be found. 2154 ObjCInterfaceDecl *Sema::getObjCInterfaceDecl(IdentifierInfo *&Id, 2155 SourceLocation IdLoc, 2156 bool DoTypoCorrection) { 2157 // The third "scope" argument is 0 since we aren't enabling lazy built-in 2158 // creation from this context. 2159 NamedDecl *IDecl = LookupSingleName(TUScope, Id, IdLoc, LookupOrdinaryName); 2160 2161 if (!IDecl && DoTypoCorrection) { 2162 // Perform typo correction at the given location, but only if we 2163 // find an Objective-C class name. 2164 DeclFilterCCC<ObjCInterfaceDecl> CCC{}; 2165 if (TypoCorrection C = 2166 CorrectTypo(DeclarationNameInfo(Id, IdLoc), LookupOrdinaryName, 2167 TUScope, nullptr, CCC, CTK_ErrorRecovery)) { 2168 diagnoseTypo(C, PDiag(diag::err_undef_interface_suggest) << Id); 2169 IDecl = C.getCorrectionDeclAs<ObjCInterfaceDecl>(); 2170 Id = IDecl->getIdentifier(); 2171 } 2172 } 2173 ObjCInterfaceDecl *Def = dyn_cast_or_null<ObjCInterfaceDecl>(IDecl); 2174 // This routine must always return a class definition, if any. 2175 if (Def && Def->getDefinition()) 2176 Def = Def->getDefinition(); 2177 return Def; 2178 } 2179 2180 /// getNonFieldDeclScope - Retrieves the innermost scope, starting 2181 /// from S, where a non-field would be declared. This routine copes 2182 /// with the difference between C and C++ scoping rules in structs and 2183 /// unions. For example, the following code is well-formed in C but 2184 /// ill-formed in C++: 2185 /// @code 2186 /// struct S6 { 2187 /// enum { BAR } e; 2188 /// }; 2189 /// 2190 /// void test_S6() { 2191 /// struct S6 a; 2192 /// a.e = BAR; 2193 /// } 2194 /// @endcode 2195 /// For the declaration of BAR, this routine will return a different 2196 /// scope. The scope S will be the scope of the unnamed enumeration 2197 /// within S6. In C++, this routine will return the scope associated 2198 /// with S6, because the enumeration's scope is a transparent 2199 /// context but structures can contain non-field names. In C, this 2200 /// routine will return the translation unit scope, since the 2201 /// enumeration's scope is a transparent context and structures cannot 2202 /// contain non-field names. 2203 Scope *Sema::getNonFieldDeclScope(Scope *S) { 2204 while (((S->getFlags() & Scope::DeclScope) == 0) || 2205 (S->getEntity() && S->getEntity()->isTransparentContext()) || 2206 (S->isClassScope() && !getLangOpts().CPlusPlus)) 2207 S = S->getParent(); 2208 return S; 2209 } 2210 2211 static StringRef getHeaderName(Builtin::Context &BuiltinInfo, unsigned ID, 2212 ASTContext::GetBuiltinTypeError Error) { 2213 switch (Error) { 2214 case ASTContext::GE_None: 2215 return ""; 2216 case ASTContext::GE_Missing_type: 2217 return BuiltinInfo.getHeaderName(ID); 2218 case ASTContext::GE_Missing_stdio: 2219 return "stdio.h"; 2220 case ASTContext::GE_Missing_setjmp: 2221 return "setjmp.h"; 2222 case ASTContext::GE_Missing_ucontext: 2223 return "ucontext.h"; 2224 } 2225 llvm_unreachable("unhandled error kind"); 2226 } 2227 2228 FunctionDecl *Sema::CreateBuiltin(IdentifierInfo *II, QualType Type, 2229 unsigned ID, SourceLocation Loc) { 2230 DeclContext *Parent = Context.getTranslationUnitDecl(); 2231 2232 if (getLangOpts().CPlusPlus) { 2233 LinkageSpecDecl *CLinkageDecl = LinkageSpecDecl::Create( 2234 Context, Parent, Loc, Loc, LinkageSpecDecl::lang_c, false); 2235 CLinkageDecl->setImplicit(); 2236 Parent->addDecl(CLinkageDecl); 2237 Parent = CLinkageDecl; 2238 } 2239 2240 FunctionDecl *New = FunctionDecl::Create(Context, Parent, Loc, Loc, II, Type, 2241 /*TInfo=*/nullptr, SC_Extern, 2242 getCurFPFeatures().isFPConstrained(), 2243 false, Type->isFunctionProtoType()); 2244 New->setImplicit(); 2245 New->addAttr(BuiltinAttr::CreateImplicit(Context, ID)); 2246 2247 // Create Decl objects for each parameter, adding them to the 2248 // FunctionDecl. 2249 if (const FunctionProtoType *FT = dyn_cast<FunctionProtoType>(Type)) { 2250 SmallVector<ParmVarDecl *, 16> Params; 2251 for (unsigned i = 0, e = FT->getNumParams(); i != e; ++i) { 2252 ParmVarDecl *parm = ParmVarDecl::Create( 2253 Context, New, SourceLocation(), SourceLocation(), nullptr, 2254 FT->getParamType(i), /*TInfo=*/nullptr, SC_None, nullptr); 2255 parm->setScopeInfo(0, i); 2256 Params.push_back(parm); 2257 } 2258 New->setParams(Params); 2259 } 2260 2261 AddKnownFunctionAttributes(New); 2262 return New; 2263 } 2264 2265 /// LazilyCreateBuiltin - The specified Builtin-ID was first used at 2266 /// file scope. lazily create a decl for it. ForRedeclaration is true 2267 /// if we're creating this built-in in anticipation of redeclaring the 2268 /// built-in. 2269 NamedDecl *Sema::LazilyCreateBuiltin(IdentifierInfo *II, unsigned ID, 2270 Scope *S, bool ForRedeclaration, 2271 SourceLocation Loc) { 2272 LookupNecessaryTypesForBuiltin(S, ID); 2273 2274 ASTContext::GetBuiltinTypeError Error; 2275 QualType R = Context.GetBuiltinType(ID, Error); 2276 if (Error) { 2277 if (!ForRedeclaration) 2278 return nullptr; 2279 2280 // If we have a builtin without an associated type we should not emit a 2281 // warning when we were not able to find a type for it. 2282 if (Error == ASTContext::GE_Missing_type || 2283 Context.BuiltinInfo.allowTypeMismatch(ID)) 2284 return nullptr; 2285 2286 // If we could not find a type for setjmp it is because the jmp_buf type was 2287 // not defined prior to the setjmp declaration. 2288 if (Error == ASTContext::GE_Missing_setjmp) { 2289 Diag(Loc, diag::warn_implicit_decl_no_jmp_buf) 2290 << Context.BuiltinInfo.getName(ID); 2291 return nullptr; 2292 } 2293 2294 // Generally, we emit a warning that the declaration requires the 2295 // appropriate header. 2296 Diag(Loc, diag::warn_implicit_decl_requires_sysheader) 2297 << getHeaderName(Context.BuiltinInfo, ID, Error) 2298 << Context.BuiltinInfo.getName(ID); 2299 return nullptr; 2300 } 2301 2302 if (!ForRedeclaration && 2303 (Context.BuiltinInfo.isPredefinedLibFunction(ID) || 2304 Context.BuiltinInfo.isHeaderDependentFunction(ID))) { 2305 Diag(Loc, LangOpts.C99 ? diag::ext_implicit_lib_function_decl_c99 2306 : diag::ext_implicit_lib_function_decl) 2307 << Context.BuiltinInfo.getName(ID) << R; 2308 if (const char *Header = Context.BuiltinInfo.getHeaderName(ID)) 2309 Diag(Loc, diag::note_include_header_or_declare) 2310 << Header << Context.BuiltinInfo.getName(ID); 2311 } 2312 2313 if (R.isNull()) 2314 return nullptr; 2315 2316 FunctionDecl *New = CreateBuiltin(II, R, ID, Loc); 2317 RegisterLocallyScopedExternCDecl(New, S); 2318 2319 // TUScope is the translation-unit scope to insert this function into. 2320 // FIXME: This is hideous. We need to teach PushOnScopeChains to 2321 // relate Scopes to DeclContexts, and probably eliminate CurContext 2322 // entirely, but we're not there yet. 2323 DeclContext *SavedContext = CurContext; 2324 CurContext = New->getDeclContext(); 2325 PushOnScopeChains(New, TUScope); 2326 CurContext = SavedContext; 2327 return New; 2328 } 2329 2330 /// Typedef declarations don't have linkage, but they still denote the same 2331 /// entity if their types are the same. 2332 /// FIXME: This is notionally doing the same thing as ASTReaderDecl's 2333 /// isSameEntity. 2334 static void filterNonConflictingPreviousTypedefDecls(Sema &S, 2335 TypedefNameDecl *Decl, 2336 LookupResult &Previous) { 2337 // This is only interesting when modules are enabled. 2338 if (!S.getLangOpts().Modules && !S.getLangOpts().ModulesLocalVisibility) 2339 return; 2340 2341 // Empty sets are uninteresting. 2342 if (Previous.empty()) 2343 return; 2344 2345 LookupResult::Filter Filter = Previous.makeFilter(); 2346 while (Filter.hasNext()) { 2347 NamedDecl *Old = Filter.next(); 2348 2349 // Non-hidden declarations are never ignored. 2350 if (S.isVisible(Old)) 2351 continue; 2352 2353 // Declarations of the same entity are not ignored, even if they have 2354 // different linkages. 2355 if (auto *OldTD = dyn_cast<TypedefNameDecl>(Old)) { 2356 if (S.Context.hasSameType(OldTD->getUnderlyingType(), 2357 Decl->getUnderlyingType())) 2358 continue; 2359 2360 // If both declarations give a tag declaration a typedef name for linkage 2361 // purposes, then they declare the same entity. 2362 if (OldTD->getAnonDeclWithTypedefName(/*AnyRedecl*/true) && 2363 Decl->getAnonDeclWithTypedefName()) 2364 continue; 2365 } 2366 2367 Filter.erase(); 2368 } 2369 2370 Filter.done(); 2371 } 2372 2373 bool Sema::isIncompatibleTypedef(TypeDecl *Old, TypedefNameDecl *New) { 2374 QualType OldType; 2375 if (TypedefNameDecl *OldTypedef = dyn_cast<TypedefNameDecl>(Old)) 2376 OldType = OldTypedef->getUnderlyingType(); 2377 else 2378 OldType = Context.getTypeDeclType(Old); 2379 QualType NewType = New->getUnderlyingType(); 2380 2381 if (NewType->isVariablyModifiedType()) { 2382 // Must not redefine a typedef with a variably-modified type. 2383 int Kind = isa<TypeAliasDecl>(Old) ? 1 : 0; 2384 Diag(New->getLocation(), diag::err_redefinition_variably_modified_typedef) 2385 << Kind << NewType; 2386 if (Old->getLocation().isValid()) 2387 notePreviousDefinition(Old, New->getLocation()); 2388 New->setInvalidDecl(); 2389 return true; 2390 } 2391 2392 if (OldType != NewType && 2393 !OldType->isDependentType() && 2394 !NewType->isDependentType() && 2395 !Context.hasSameType(OldType, NewType)) { 2396 int Kind = isa<TypeAliasDecl>(Old) ? 1 : 0; 2397 Diag(New->getLocation(), diag::err_redefinition_different_typedef) 2398 << Kind << NewType << OldType; 2399 if (Old->getLocation().isValid()) 2400 notePreviousDefinition(Old, New->getLocation()); 2401 New->setInvalidDecl(); 2402 return true; 2403 } 2404 return false; 2405 } 2406 2407 /// MergeTypedefNameDecl - We just parsed a typedef 'New' which has the 2408 /// same name and scope as a previous declaration 'Old'. Figure out 2409 /// how to resolve this situation, merging decls or emitting 2410 /// diagnostics as appropriate. If there was an error, set New to be invalid. 2411 /// 2412 void Sema::MergeTypedefNameDecl(Scope *S, TypedefNameDecl *New, 2413 LookupResult &OldDecls) { 2414 // If the new decl is known invalid already, don't bother doing any 2415 // merging checks. 2416 if (New->isInvalidDecl()) return; 2417 2418 // Allow multiple definitions for ObjC built-in typedefs. 2419 // FIXME: Verify the underlying types are equivalent! 2420 if (getLangOpts().ObjC) { 2421 const IdentifierInfo *TypeID = New->getIdentifier(); 2422 switch (TypeID->getLength()) { 2423 default: break; 2424 case 2: 2425 { 2426 if (!TypeID->isStr("id")) 2427 break; 2428 QualType T = New->getUnderlyingType(); 2429 if (!T->isPointerType()) 2430 break; 2431 if (!T->isVoidPointerType()) { 2432 QualType PT = T->castAs<PointerType>()->getPointeeType(); 2433 if (!PT->isStructureType()) 2434 break; 2435 } 2436 Context.setObjCIdRedefinitionType(T); 2437 // Install the built-in type for 'id', ignoring the current definition. 2438 New->setTypeForDecl(Context.getObjCIdType().getTypePtr()); 2439 return; 2440 } 2441 case 5: 2442 if (!TypeID->isStr("Class")) 2443 break; 2444 Context.setObjCClassRedefinitionType(New->getUnderlyingType()); 2445 // Install the built-in type for 'Class', ignoring the current definition. 2446 New->setTypeForDecl(Context.getObjCClassType().getTypePtr()); 2447 return; 2448 case 3: 2449 if (!TypeID->isStr("SEL")) 2450 break; 2451 Context.setObjCSelRedefinitionType(New->getUnderlyingType()); 2452 // Install the built-in type for 'SEL', ignoring the current definition. 2453 New->setTypeForDecl(Context.getObjCSelType().getTypePtr()); 2454 return; 2455 } 2456 // Fall through - the typedef name was not a builtin type. 2457 } 2458 2459 // Verify the old decl was also a type. 2460 TypeDecl *Old = OldDecls.getAsSingle<TypeDecl>(); 2461 if (!Old) { 2462 Diag(New->getLocation(), diag::err_redefinition_different_kind) 2463 << New->getDeclName(); 2464 2465 NamedDecl *OldD = OldDecls.getRepresentativeDecl(); 2466 if (OldD->getLocation().isValid()) 2467 notePreviousDefinition(OldD, New->getLocation()); 2468 2469 return New->setInvalidDecl(); 2470 } 2471 2472 // If the old declaration is invalid, just give up here. 2473 if (Old->isInvalidDecl()) 2474 return New->setInvalidDecl(); 2475 2476 if (auto *OldTD = dyn_cast<TypedefNameDecl>(Old)) { 2477 auto *OldTag = OldTD->getAnonDeclWithTypedefName(/*AnyRedecl*/true); 2478 auto *NewTag = New->getAnonDeclWithTypedefName(); 2479 NamedDecl *Hidden = nullptr; 2480 if (OldTag && NewTag && 2481 OldTag->getCanonicalDecl() != NewTag->getCanonicalDecl() && 2482 !hasVisibleDefinition(OldTag, &Hidden)) { 2483 // There is a definition of this tag, but it is not visible. Use it 2484 // instead of our tag. 2485 New->setTypeForDecl(OldTD->getTypeForDecl()); 2486 if (OldTD->isModed()) 2487 New->setModedTypeSourceInfo(OldTD->getTypeSourceInfo(), 2488 OldTD->getUnderlyingType()); 2489 else 2490 New->setTypeSourceInfo(OldTD->getTypeSourceInfo()); 2491 2492 // Make the old tag definition visible. 2493 makeMergedDefinitionVisible(Hidden); 2494 2495 // If this was an unscoped enumeration, yank all of its enumerators 2496 // out of the scope. 2497 if (isa<EnumDecl>(NewTag)) { 2498 Scope *EnumScope = getNonFieldDeclScope(S); 2499 for (auto *D : NewTag->decls()) { 2500 auto *ED = cast<EnumConstantDecl>(D); 2501 assert(EnumScope->isDeclScope(ED)); 2502 EnumScope->RemoveDecl(ED); 2503 IdResolver.RemoveDecl(ED); 2504 ED->getLexicalDeclContext()->removeDecl(ED); 2505 } 2506 } 2507 } 2508 } 2509 2510 // If the typedef types are not identical, reject them in all languages and 2511 // with any extensions enabled. 2512 if (isIncompatibleTypedef(Old, New)) 2513 return; 2514 2515 // The types match. Link up the redeclaration chain and merge attributes if 2516 // the old declaration was a typedef. 2517 if (TypedefNameDecl *Typedef = dyn_cast<TypedefNameDecl>(Old)) { 2518 New->setPreviousDecl(Typedef); 2519 mergeDeclAttributes(New, Old); 2520 } 2521 2522 if (getLangOpts().MicrosoftExt) 2523 return; 2524 2525 if (getLangOpts().CPlusPlus) { 2526 // C++ [dcl.typedef]p2: 2527 // In a given non-class scope, a typedef specifier can be used to 2528 // redefine the name of any type declared in that scope to refer 2529 // to the type to which it already refers. 2530 if (!isa<CXXRecordDecl>(CurContext)) 2531 return; 2532 2533 // C++0x [dcl.typedef]p4: 2534 // In a given class scope, a typedef specifier can be used to redefine 2535 // any class-name declared in that scope that is not also a typedef-name 2536 // to refer to the type to which it already refers. 2537 // 2538 // This wording came in via DR424, which was a correction to the 2539 // wording in DR56, which accidentally banned code like: 2540 // 2541 // struct S { 2542 // typedef struct A { } A; 2543 // }; 2544 // 2545 // in the C++03 standard. We implement the C++0x semantics, which 2546 // allow the above but disallow 2547 // 2548 // struct S { 2549 // typedef int I; 2550 // typedef int I; 2551 // }; 2552 // 2553 // since that was the intent of DR56. 2554 if (!isa<TypedefNameDecl>(Old)) 2555 return; 2556 2557 Diag(New->getLocation(), diag::err_redefinition) 2558 << New->getDeclName(); 2559 notePreviousDefinition(Old, New->getLocation()); 2560 return New->setInvalidDecl(); 2561 } 2562 2563 // Modules always permit redefinition of typedefs, as does C11. 2564 if (getLangOpts().Modules || getLangOpts().C11) 2565 return; 2566 2567 // If we have a redefinition of a typedef in C, emit a warning. This warning 2568 // is normally mapped to an error, but can be controlled with 2569 // -Wtypedef-redefinition. If either the original or the redefinition is 2570 // in a system header, don't emit this for compatibility with GCC. 2571 if (getDiagnostics().getSuppressSystemWarnings() && 2572 // Some standard types are defined implicitly in Clang (e.g. OpenCL). 2573 (Old->isImplicit() || 2574 Context.getSourceManager().isInSystemHeader(Old->getLocation()) || 2575 Context.getSourceManager().isInSystemHeader(New->getLocation()))) 2576 return; 2577 2578 Diag(New->getLocation(), diag::ext_redefinition_of_typedef) 2579 << New->getDeclName(); 2580 notePreviousDefinition(Old, New->getLocation()); 2581 } 2582 2583 /// DeclhasAttr - returns true if decl Declaration already has the target 2584 /// attribute. 2585 static bool DeclHasAttr(const Decl *D, const Attr *A) { 2586 const OwnershipAttr *OA = dyn_cast<OwnershipAttr>(A); 2587 const AnnotateAttr *Ann = dyn_cast<AnnotateAttr>(A); 2588 for (const auto *i : D->attrs()) 2589 if (i->getKind() == A->getKind()) { 2590 if (Ann) { 2591 if (Ann->getAnnotation() == cast<AnnotateAttr>(i)->getAnnotation()) 2592 return true; 2593 continue; 2594 } 2595 // FIXME: Don't hardcode this check 2596 if (OA && isa<OwnershipAttr>(i)) 2597 return OA->getOwnKind() == cast<OwnershipAttr>(i)->getOwnKind(); 2598 return true; 2599 } 2600 2601 return false; 2602 } 2603 2604 static bool isAttributeTargetADefinition(Decl *D) { 2605 if (VarDecl *VD = dyn_cast<VarDecl>(D)) 2606 return VD->isThisDeclarationADefinition(); 2607 if (TagDecl *TD = dyn_cast<TagDecl>(D)) 2608 return TD->isCompleteDefinition() || TD->isBeingDefined(); 2609 return true; 2610 } 2611 2612 /// Merge alignment attributes from \p Old to \p New, taking into account the 2613 /// special semantics of C11's _Alignas specifier and C++11's alignas attribute. 2614 /// 2615 /// \return \c true if any attributes were added to \p New. 2616 static bool mergeAlignedAttrs(Sema &S, NamedDecl *New, Decl *Old) { 2617 // Look for alignas attributes on Old, and pick out whichever attribute 2618 // specifies the strictest alignment requirement. 2619 AlignedAttr *OldAlignasAttr = nullptr; 2620 AlignedAttr *OldStrictestAlignAttr = nullptr; 2621 unsigned OldAlign = 0; 2622 for (auto *I : Old->specific_attrs<AlignedAttr>()) { 2623 // FIXME: We have no way of representing inherited dependent alignments 2624 // in a case like: 2625 // template<int A, int B> struct alignas(A) X; 2626 // template<int A, int B> struct alignas(B) X {}; 2627 // For now, we just ignore any alignas attributes which are not on the 2628 // definition in such a case. 2629 if (I->isAlignmentDependent()) 2630 return false; 2631 2632 if (I->isAlignas()) 2633 OldAlignasAttr = I; 2634 2635 unsigned Align = I->getAlignment(S.Context); 2636 if (Align > OldAlign) { 2637 OldAlign = Align; 2638 OldStrictestAlignAttr = I; 2639 } 2640 } 2641 2642 // Look for alignas attributes on New. 2643 AlignedAttr *NewAlignasAttr = nullptr; 2644 unsigned NewAlign = 0; 2645 for (auto *I : New->specific_attrs<AlignedAttr>()) { 2646 if (I->isAlignmentDependent()) 2647 return false; 2648 2649 if (I->isAlignas()) 2650 NewAlignasAttr = I; 2651 2652 unsigned Align = I->getAlignment(S.Context); 2653 if (Align > NewAlign) 2654 NewAlign = Align; 2655 } 2656 2657 if (OldAlignasAttr && NewAlignasAttr && OldAlign != NewAlign) { 2658 // Both declarations have 'alignas' attributes. We require them to match. 2659 // C++11 [dcl.align]p6 and C11 6.7.5/7 both come close to saying this, but 2660 // fall short. (If two declarations both have alignas, they must both match 2661 // every definition, and so must match each other if there is a definition.) 2662 2663 // If either declaration only contains 'alignas(0)' specifiers, then it 2664 // specifies the natural alignment for the type. 2665 if (OldAlign == 0 || NewAlign == 0) { 2666 QualType Ty; 2667 if (ValueDecl *VD = dyn_cast<ValueDecl>(New)) 2668 Ty = VD->getType(); 2669 else 2670 Ty = S.Context.getTagDeclType(cast<TagDecl>(New)); 2671 2672 if (OldAlign == 0) 2673 OldAlign = S.Context.getTypeAlign(Ty); 2674 if (NewAlign == 0) 2675 NewAlign = S.Context.getTypeAlign(Ty); 2676 } 2677 2678 if (OldAlign != NewAlign) { 2679 S.Diag(NewAlignasAttr->getLocation(), diag::err_alignas_mismatch) 2680 << (unsigned)S.Context.toCharUnitsFromBits(OldAlign).getQuantity() 2681 << (unsigned)S.Context.toCharUnitsFromBits(NewAlign).getQuantity(); 2682 S.Diag(OldAlignasAttr->getLocation(), diag::note_previous_declaration); 2683 } 2684 } 2685 2686 if (OldAlignasAttr && !NewAlignasAttr && isAttributeTargetADefinition(New)) { 2687 // C++11 [dcl.align]p6: 2688 // if any declaration of an entity has an alignment-specifier, 2689 // every defining declaration of that entity shall specify an 2690 // equivalent alignment. 2691 // C11 6.7.5/7: 2692 // If the definition of an object does not have an alignment 2693 // specifier, any other declaration of that object shall also 2694 // have no alignment specifier. 2695 S.Diag(New->getLocation(), diag::err_alignas_missing_on_definition) 2696 << OldAlignasAttr; 2697 S.Diag(OldAlignasAttr->getLocation(), diag::note_alignas_on_declaration) 2698 << OldAlignasAttr; 2699 } 2700 2701 bool AnyAdded = false; 2702 2703 // Ensure we have an attribute representing the strictest alignment. 2704 if (OldAlign > NewAlign) { 2705 AlignedAttr *Clone = OldStrictestAlignAttr->clone(S.Context); 2706 Clone->setInherited(true); 2707 New->addAttr(Clone); 2708 AnyAdded = true; 2709 } 2710 2711 // Ensure we have an alignas attribute if the old declaration had one. 2712 if (OldAlignasAttr && !NewAlignasAttr && 2713 !(AnyAdded && OldStrictestAlignAttr->isAlignas())) { 2714 AlignedAttr *Clone = OldAlignasAttr->clone(S.Context); 2715 Clone->setInherited(true); 2716 New->addAttr(Clone); 2717 AnyAdded = true; 2718 } 2719 2720 return AnyAdded; 2721 } 2722 2723 #define WANT_DECL_MERGE_LOGIC 2724 #include "clang/Sema/AttrParsedAttrImpl.inc" 2725 #undef WANT_DECL_MERGE_LOGIC 2726 2727 static bool mergeDeclAttribute(Sema &S, NamedDecl *D, 2728 const InheritableAttr *Attr, 2729 Sema::AvailabilityMergeKind AMK) { 2730 // Diagnose any mutual exclusions between the attribute that we want to add 2731 // and attributes that already exist on the declaration. 2732 if (!DiagnoseMutualExclusions(S, D, Attr)) 2733 return false; 2734 2735 // This function copies an attribute Attr from a previous declaration to the 2736 // new declaration D if the new declaration doesn't itself have that attribute 2737 // yet or if that attribute allows duplicates. 2738 // If you're adding a new attribute that requires logic different from 2739 // "use explicit attribute on decl if present, else use attribute from 2740 // previous decl", for example if the attribute needs to be consistent 2741 // between redeclarations, you need to call a custom merge function here. 2742 InheritableAttr *NewAttr = nullptr; 2743 if (const auto *AA = dyn_cast<AvailabilityAttr>(Attr)) 2744 NewAttr = S.mergeAvailabilityAttr( 2745 D, *AA, AA->getPlatform(), AA->isImplicit(), AA->getIntroduced(), 2746 AA->getDeprecated(), AA->getObsoleted(), AA->getUnavailable(), 2747 AA->getMessage(), AA->getStrict(), AA->getReplacement(), AMK, 2748 AA->getPriority()); 2749 else if (const auto *VA = dyn_cast<VisibilityAttr>(Attr)) 2750 NewAttr = S.mergeVisibilityAttr(D, *VA, VA->getVisibility()); 2751 else if (const auto *VA = dyn_cast<TypeVisibilityAttr>(Attr)) 2752 NewAttr = S.mergeTypeVisibilityAttr(D, *VA, VA->getVisibility()); 2753 else if (const auto *ImportA = dyn_cast<DLLImportAttr>(Attr)) 2754 NewAttr = S.mergeDLLImportAttr(D, *ImportA); 2755 else if (const auto *ExportA = dyn_cast<DLLExportAttr>(Attr)) 2756 NewAttr = S.mergeDLLExportAttr(D, *ExportA); 2757 else if (const auto *EA = dyn_cast<ErrorAttr>(Attr)) 2758 NewAttr = S.mergeErrorAttr(D, *EA, EA->getUserDiagnostic()); 2759 else if (const auto *FA = dyn_cast<FormatAttr>(Attr)) 2760 NewAttr = S.mergeFormatAttr(D, *FA, FA->getType(), FA->getFormatIdx(), 2761 FA->getFirstArg()); 2762 else if (const auto *SA = dyn_cast<SectionAttr>(Attr)) 2763 NewAttr = S.mergeSectionAttr(D, *SA, SA->getName()); 2764 else if (const auto *CSA = dyn_cast<CodeSegAttr>(Attr)) 2765 NewAttr = S.mergeCodeSegAttr(D, *CSA, CSA->getName()); 2766 else if (const auto *IA = dyn_cast<MSInheritanceAttr>(Attr)) 2767 NewAttr = S.mergeMSInheritanceAttr(D, *IA, IA->getBestCase(), 2768 IA->getInheritanceModel()); 2769 else if (const auto *AA = dyn_cast<AlwaysInlineAttr>(Attr)) 2770 NewAttr = S.mergeAlwaysInlineAttr(D, *AA, 2771 &S.Context.Idents.get(AA->getSpelling())); 2772 else if (S.getLangOpts().CUDA && isa<FunctionDecl>(D) && 2773 (isa<CUDAHostAttr>(Attr) || isa<CUDADeviceAttr>(Attr) || 2774 isa<CUDAGlobalAttr>(Attr))) { 2775 // CUDA target attributes are part of function signature for 2776 // overloading purposes and must not be merged. 2777 return false; 2778 } else if (const auto *MA = dyn_cast<MinSizeAttr>(Attr)) 2779 NewAttr = S.mergeMinSizeAttr(D, *MA); 2780 else if (const auto *SNA = dyn_cast<SwiftNameAttr>(Attr)) 2781 NewAttr = S.mergeSwiftNameAttr(D, *SNA, SNA->getName()); 2782 else if (const auto *OA = dyn_cast<OptimizeNoneAttr>(Attr)) 2783 NewAttr = S.mergeOptimizeNoneAttr(D, *OA); 2784 else if (const auto *InternalLinkageA = dyn_cast<InternalLinkageAttr>(Attr)) 2785 NewAttr = S.mergeInternalLinkageAttr(D, *InternalLinkageA); 2786 else if (isa<AlignedAttr>(Attr)) 2787 // AlignedAttrs are handled separately, because we need to handle all 2788 // such attributes on a declaration at the same time. 2789 NewAttr = nullptr; 2790 else if ((isa<DeprecatedAttr>(Attr) || isa<UnavailableAttr>(Attr)) && 2791 (AMK == Sema::AMK_Override || 2792 AMK == Sema::AMK_ProtocolImplementation || 2793 AMK == Sema::AMK_OptionalProtocolImplementation)) 2794 NewAttr = nullptr; 2795 else if (const auto *UA = dyn_cast<UuidAttr>(Attr)) 2796 NewAttr = S.mergeUuidAttr(D, *UA, UA->getGuid(), UA->getGuidDecl()); 2797 else if (const auto *IMA = dyn_cast<WebAssemblyImportModuleAttr>(Attr)) 2798 NewAttr = S.mergeImportModuleAttr(D, *IMA); 2799 else if (const auto *INA = dyn_cast<WebAssemblyImportNameAttr>(Attr)) 2800 NewAttr = S.mergeImportNameAttr(D, *INA); 2801 else if (const auto *TCBA = dyn_cast<EnforceTCBAttr>(Attr)) 2802 NewAttr = S.mergeEnforceTCBAttr(D, *TCBA); 2803 else if (const auto *TCBLA = dyn_cast<EnforceTCBLeafAttr>(Attr)) 2804 NewAttr = S.mergeEnforceTCBLeafAttr(D, *TCBLA); 2805 else if (const auto *BTFA = dyn_cast<BTFDeclTagAttr>(Attr)) 2806 NewAttr = S.mergeBTFDeclTagAttr(D, *BTFA); 2807 else if (const auto *NT = dyn_cast<HLSLNumThreadsAttr>(Attr)) 2808 NewAttr = 2809 S.mergeHLSLNumThreadsAttr(D, *NT, NT->getX(), NT->getY(), NT->getZ()); 2810 else if (const auto *SA = dyn_cast<HLSLShaderAttr>(Attr)) 2811 NewAttr = S.mergeHLSLShaderAttr(D, *SA, SA->getType()); 2812 else if (Attr->shouldInheritEvenIfAlreadyPresent() || !DeclHasAttr(D, Attr)) 2813 NewAttr = cast<InheritableAttr>(Attr->clone(S.Context)); 2814 2815 if (NewAttr) { 2816 NewAttr->setInherited(true); 2817 D->addAttr(NewAttr); 2818 if (isa<MSInheritanceAttr>(NewAttr)) 2819 S.Consumer.AssignInheritanceModel(cast<CXXRecordDecl>(D)); 2820 return true; 2821 } 2822 2823 return false; 2824 } 2825 2826 static const NamedDecl *getDefinition(const Decl *D) { 2827 if (const TagDecl *TD = dyn_cast<TagDecl>(D)) 2828 return TD->getDefinition(); 2829 if (const VarDecl *VD = dyn_cast<VarDecl>(D)) { 2830 const VarDecl *Def = VD->getDefinition(); 2831 if (Def) 2832 return Def; 2833 return VD->getActingDefinition(); 2834 } 2835 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 2836 const FunctionDecl *Def = nullptr; 2837 if (FD->isDefined(Def, true)) 2838 return Def; 2839 } 2840 return nullptr; 2841 } 2842 2843 static bool hasAttribute(const Decl *D, attr::Kind Kind) { 2844 for (const auto *Attribute : D->attrs()) 2845 if (Attribute->getKind() == Kind) 2846 return true; 2847 return false; 2848 } 2849 2850 /// checkNewAttributesAfterDef - If we already have a definition, check that 2851 /// there are no new attributes in this declaration. 2852 static void checkNewAttributesAfterDef(Sema &S, Decl *New, const Decl *Old) { 2853 if (!New->hasAttrs()) 2854 return; 2855 2856 const NamedDecl *Def = getDefinition(Old); 2857 if (!Def || Def == New) 2858 return; 2859 2860 AttrVec &NewAttributes = New->getAttrs(); 2861 for (unsigned I = 0, E = NewAttributes.size(); I != E;) { 2862 const Attr *NewAttribute = NewAttributes[I]; 2863 2864 if (isa<AliasAttr>(NewAttribute) || isa<IFuncAttr>(NewAttribute)) { 2865 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(New)) { 2866 Sema::SkipBodyInfo SkipBody; 2867 S.CheckForFunctionRedefinition(FD, cast<FunctionDecl>(Def), &SkipBody); 2868 2869 // If we're skipping this definition, drop the "alias" attribute. 2870 if (SkipBody.ShouldSkip) { 2871 NewAttributes.erase(NewAttributes.begin() + I); 2872 --E; 2873 continue; 2874 } 2875 } else { 2876 VarDecl *VD = cast<VarDecl>(New); 2877 unsigned Diag = cast<VarDecl>(Def)->isThisDeclarationADefinition() == 2878 VarDecl::TentativeDefinition 2879 ? diag::err_alias_after_tentative 2880 : diag::err_redefinition; 2881 S.Diag(VD->getLocation(), Diag) << VD->getDeclName(); 2882 if (Diag == diag::err_redefinition) 2883 S.notePreviousDefinition(Def, VD->getLocation()); 2884 else 2885 S.Diag(Def->getLocation(), diag::note_previous_definition); 2886 VD->setInvalidDecl(); 2887 } 2888 ++I; 2889 continue; 2890 } 2891 2892 if (const VarDecl *VD = dyn_cast<VarDecl>(Def)) { 2893 // Tentative definitions are only interesting for the alias check above. 2894 if (VD->isThisDeclarationADefinition() != VarDecl::Definition) { 2895 ++I; 2896 continue; 2897 } 2898 } 2899 2900 if (hasAttribute(Def, NewAttribute->getKind())) { 2901 ++I; 2902 continue; // regular attr merging will take care of validating this. 2903 } 2904 2905 if (isa<C11NoReturnAttr>(NewAttribute)) { 2906 // C's _Noreturn is allowed to be added to a function after it is defined. 2907 ++I; 2908 continue; 2909 } else if (isa<UuidAttr>(NewAttribute)) { 2910 // msvc will allow a subsequent definition to add an uuid to a class 2911 ++I; 2912 continue; 2913 } else if (const AlignedAttr *AA = dyn_cast<AlignedAttr>(NewAttribute)) { 2914 if (AA->isAlignas()) { 2915 // C++11 [dcl.align]p6: 2916 // if any declaration of an entity has an alignment-specifier, 2917 // every defining declaration of that entity shall specify an 2918 // equivalent alignment. 2919 // C11 6.7.5/7: 2920 // If the definition of an object does not have an alignment 2921 // specifier, any other declaration of that object shall also 2922 // have no alignment specifier. 2923 S.Diag(Def->getLocation(), diag::err_alignas_missing_on_definition) 2924 << AA; 2925 S.Diag(NewAttribute->getLocation(), diag::note_alignas_on_declaration) 2926 << AA; 2927 NewAttributes.erase(NewAttributes.begin() + I); 2928 --E; 2929 continue; 2930 } 2931 } else if (isa<LoaderUninitializedAttr>(NewAttribute)) { 2932 // If there is a C definition followed by a redeclaration with this 2933 // attribute then there are two different definitions. In C++, prefer the 2934 // standard diagnostics. 2935 if (!S.getLangOpts().CPlusPlus) { 2936 S.Diag(NewAttribute->getLocation(), 2937 diag::err_loader_uninitialized_redeclaration); 2938 S.Diag(Def->getLocation(), diag::note_previous_definition); 2939 NewAttributes.erase(NewAttributes.begin() + I); 2940 --E; 2941 continue; 2942 } 2943 } else if (isa<SelectAnyAttr>(NewAttribute) && 2944 cast<VarDecl>(New)->isInline() && 2945 !cast<VarDecl>(New)->isInlineSpecified()) { 2946 // Don't warn about applying selectany to implicitly inline variables. 2947 // Older compilers and language modes would require the use of selectany 2948 // to make such variables inline, and it would have no effect if we 2949 // honored it. 2950 ++I; 2951 continue; 2952 } else if (isa<OMPDeclareVariantAttr>(NewAttribute)) { 2953 // We allow to add OMP[Begin]DeclareVariantAttr to be added to 2954 // declarations after defintions. 2955 ++I; 2956 continue; 2957 } 2958 2959 S.Diag(NewAttribute->getLocation(), 2960 diag::warn_attribute_precede_definition); 2961 S.Diag(Def->getLocation(), diag::note_previous_definition); 2962 NewAttributes.erase(NewAttributes.begin() + I); 2963 --E; 2964 } 2965 } 2966 2967 static void diagnoseMissingConstinit(Sema &S, const VarDecl *InitDecl, 2968 const ConstInitAttr *CIAttr, 2969 bool AttrBeforeInit) { 2970 SourceLocation InsertLoc = InitDecl->getInnerLocStart(); 2971 2972 // Figure out a good way to write this specifier on the old declaration. 2973 // FIXME: We should just use the spelling of CIAttr, but we don't preserve 2974 // enough of the attribute list spelling information to extract that without 2975 // heroics. 2976 std::string SuitableSpelling; 2977 if (S.getLangOpts().CPlusPlus20) 2978 SuitableSpelling = std::string( 2979 S.PP.getLastMacroWithSpelling(InsertLoc, {tok::kw_constinit})); 2980 if (SuitableSpelling.empty() && S.getLangOpts().CPlusPlus11) 2981 SuitableSpelling = std::string(S.PP.getLastMacroWithSpelling( 2982 InsertLoc, {tok::l_square, tok::l_square, 2983 S.PP.getIdentifierInfo("clang"), tok::coloncolon, 2984 S.PP.getIdentifierInfo("require_constant_initialization"), 2985 tok::r_square, tok::r_square})); 2986 if (SuitableSpelling.empty()) 2987 SuitableSpelling = std::string(S.PP.getLastMacroWithSpelling( 2988 InsertLoc, {tok::kw___attribute, tok::l_paren, tok::r_paren, 2989 S.PP.getIdentifierInfo("require_constant_initialization"), 2990 tok::r_paren, tok::r_paren})); 2991 if (SuitableSpelling.empty() && S.getLangOpts().CPlusPlus20) 2992 SuitableSpelling = "constinit"; 2993 if (SuitableSpelling.empty() && S.getLangOpts().CPlusPlus11) 2994 SuitableSpelling = "[[clang::require_constant_initialization]]"; 2995 if (SuitableSpelling.empty()) 2996 SuitableSpelling = "__attribute__((require_constant_initialization))"; 2997 SuitableSpelling += " "; 2998 2999 if (AttrBeforeInit) { 3000 // extern constinit int a; 3001 // int a = 0; // error (missing 'constinit'), accepted as extension 3002 assert(CIAttr->isConstinit() && "should not diagnose this for attribute"); 3003 S.Diag(InitDecl->getLocation(), diag::ext_constinit_missing) 3004 << InitDecl << FixItHint::CreateInsertion(InsertLoc, SuitableSpelling); 3005 S.Diag(CIAttr->getLocation(), diag::note_constinit_specified_here); 3006 } else { 3007 // int a = 0; 3008 // constinit extern int a; // error (missing 'constinit') 3009 S.Diag(CIAttr->getLocation(), 3010 CIAttr->isConstinit() ? diag::err_constinit_added_too_late 3011 : diag::warn_require_const_init_added_too_late) 3012 << FixItHint::CreateRemoval(SourceRange(CIAttr->getLocation())); 3013 S.Diag(InitDecl->getLocation(), diag::note_constinit_missing_here) 3014 << CIAttr->isConstinit() 3015 << FixItHint::CreateInsertion(InsertLoc, SuitableSpelling); 3016 } 3017 } 3018 3019 /// mergeDeclAttributes - Copy attributes from the Old decl to the New one. 3020 void Sema::mergeDeclAttributes(NamedDecl *New, Decl *Old, 3021 AvailabilityMergeKind AMK) { 3022 if (UsedAttr *OldAttr = Old->getMostRecentDecl()->getAttr<UsedAttr>()) { 3023 UsedAttr *NewAttr = OldAttr->clone(Context); 3024 NewAttr->setInherited(true); 3025 New->addAttr(NewAttr); 3026 } 3027 if (RetainAttr *OldAttr = Old->getMostRecentDecl()->getAttr<RetainAttr>()) { 3028 RetainAttr *NewAttr = OldAttr->clone(Context); 3029 NewAttr->setInherited(true); 3030 New->addAttr(NewAttr); 3031 } 3032 3033 if (!Old->hasAttrs() && !New->hasAttrs()) 3034 return; 3035 3036 // [dcl.constinit]p1: 3037 // If the [constinit] specifier is applied to any declaration of a 3038 // variable, it shall be applied to the initializing declaration. 3039 const auto *OldConstInit = Old->getAttr<ConstInitAttr>(); 3040 const auto *NewConstInit = New->getAttr<ConstInitAttr>(); 3041 if (bool(OldConstInit) != bool(NewConstInit)) { 3042 const auto *OldVD = cast<VarDecl>(Old); 3043 auto *NewVD = cast<VarDecl>(New); 3044 3045 // Find the initializing declaration. Note that we might not have linked 3046 // the new declaration into the redeclaration chain yet. 3047 const VarDecl *InitDecl = OldVD->getInitializingDeclaration(); 3048 if (!InitDecl && 3049 (NewVD->hasInit() || NewVD->isThisDeclarationADefinition())) 3050 InitDecl = NewVD; 3051 3052 if (InitDecl == NewVD) { 3053 // This is the initializing declaration. If it would inherit 'constinit', 3054 // that's ill-formed. (Note that we do not apply this to the attribute 3055 // form). 3056 if (OldConstInit && OldConstInit->isConstinit()) 3057 diagnoseMissingConstinit(*this, NewVD, OldConstInit, 3058 /*AttrBeforeInit=*/true); 3059 } else if (NewConstInit) { 3060 // This is the first time we've been told that this declaration should 3061 // have a constant initializer. If we already saw the initializing 3062 // declaration, this is too late. 3063 if (InitDecl && InitDecl != NewVD) { 3064 diagnoseMissingConstinit(*this, InitDecl, NewConstInit, 3065 /*AttrBeforeInit=*/false); 3066 NewVD->dropAttr<ConstInitAttr>(); 3067 } 3068 } 3069 } 3070 3071 // Attributes declared post-definition are currently ignored. 3072 checkNewAttributesAfterDef(*this, New, Old); 3073 3074 if (AsmLabelAttr *NewA = New->getAttr<AsmLabelAttr>()) { 3075 if (AsmLabelAttr *OldA = Old->getAttr<AsmLabelAttr>()) { 3076 if (!OldA->isEquivalent(NewA)) { 3077 // This redeclaration changes __asm__ label. 3078 Diag(New->getLocation(), diag::err_different_asm_label); 3079 Diag(OldA->getLocation(), diag::note_previous_declaration); 3080 } 3081 } else if (Old->isUsed()) { 3082 // This redeclaration adds an __asm__ label to a declaration that has 3083 // already been ODR-used. 3084 Diag(New->getLocation(), diag::err_late_asm_label_name) 3085 << isa<FunctionDecl>(Old) << New->getAttr<AsmLabelAttr>()->getRange(); 3086 } 3087 } 3088 3089 // Re-declaration cannot add abi_tag's. 3090 if (const auto *NewAbiTagAttr = New->getAttr<AbiTagAttr>()) { 3091 if (const auto *OldAbiTagAttr = Old->getAttr<AbiTagAttr>()) { 3092 for (const auto &NewTag : NewAbiTagAttr->tags()) { 3093 if (!llvm::is_contained(OldAbiTagAttr->tags(), NewTag)) { 3094 Diag(NewAbiTagAttr->getLocation(), 3095 diag::err_new_abi_tag_on_redeclaration) 3096 << NewTag; 3097 Diag(OldAbiTagAttr->getLocation(), diag::note_previous_declaration); 3098 } 3099 } 3100 } else { 3101 Diag(NewAbiTagAttr->getLocation(), diag::err_abi_tag_on_redeclaration); 3102 Diag(Old->getLocation(), diag::note_previous_declaration); 3103 } 3104 } 3105 3106 // This redeclaration adds a section attribute. 3107 if (New->hasAttr<SectionAttr>() && !Old->hasAttr<SectionAttr>()) { 3108 if (auto *VD = dyn_cast<VarDecl>(New)) { 3109 if (VD->isThisDeclarationADefinition() == VarDecl::DeclarationOnly) { 3110 Diag(New->getLocation(), diag::warn_attribute_section_on_redeclaration); 3111 Diag(Old->getLocation(), diag::note_previous_declaration); 3112 } 3113 } 3114 } 3115 3116 // Redeclaration adds code-seg attribute. 3117 const auto *NewCSA = New->getAttr<CodeSegAttr>(); 3118 if (NewCSA && !Old->hasAttr<CodeSegAttr>() && 3119 !NewCSA->isImplicit() && isa<CXXMethodDecl>(New)) { 3120 Diag(New->getLocation(), diag::warn_mismatched_section) 3121 << 0 /*codeseg*/; 3122 Diag(Old->getLocation(), diag::note_previous_declaration); 3123 } 3124 3125 if (!Old->hasAttrs()) 3126 return; 3127 3128 bool foundAny = New->hasAttrs(); 3129 3130 // Ensure that any moving of objects within the allocated map is done before 3131 // we process them. 3132 if (!foundAny) New->setAttrs(AttrVec()); 3133 3134 for (auto *I : Old->specific_attrs<InheritableAttr>()) { 3135 // Ignore deprecated/unavailable/availability attributes if requested. 3136 AvailabilityMergeKind LocalAMK = AMK_None; 3137 if (isa<DeprecatedAttr>(I) || 3138 isa<UnavailableAttr>(I) || 3139 isa<AvailabilityAttr>(I)) { 3140 switch (AMK) { 3141 case AMK_None: 3142 continue; 3143 3144 case AMK_Redeclaration: 3145 case AMK_Override: 3146 case AMK_ProtocolImplementation: 3147 case AMK_OptionalProtocolImplementation: 3148 LocalAMK = AMK; 3149 break; 3150 } 3151 } 3152 3153 // Already handled. 3154 if (isa<UsedAttr>(I) || isa<RetainAttr>(I)) 3155 continue; 3156 3157 if (mergeDeclAttribute(*this, New, I, LocalAMK)) 3158 foundAny = true; 3159 } 3160 3161 if (mergeAlignedAttrs(*this, New, Old)) 3162 foundAny = true; 3163 3164 if (!foundAny) New->dropAttrs(); 3165 } 3166 3167 /// mergeParamDeclAttributes - Copy attributes from the old parameter 3168 /// to the new one. 3169 static void mergeParamDeclAttributes(ParmVarDecl *newDecl, 3170 const ParmVarDecl *oldDecl, 3171 Sema &S) { 3172 // C++11 [dcl.attr.depend]p2: 3173 // The first declaration of a function shall specify the 3174 // carries_dependency attribute for its declarator-id if any declaration 3175 // of the function specifies the carries_dependency attribute. 3176 const CarriesDependencyAttr *CDA = newDecl->getAttr<CarriesDependencyAttr>(); 3177 if (CDA && !oldDecl->hasAttr<CarriesDependencyAttr>()) { 3178 S.Diag(CDA->getLocation(), 3179 diag::err_carries_dependency_missing_on_first_decl) << 1/*Param*/; 3180 // Find the first declaration of the parameter. 3181 // FIXME: Should we build redeclaration chains for function parameters? 3182 const FunctionDecl *FirstFD = 3183 cast<FunctionDecl>(oldDecl->getDeclContext())->getFirstDecl(); 3184 const ParmVarDecl *FirstVD = 3185 FirstFD->getParamDecl(oldDecl->getFunctionScopeIndex()); 3186 S.Diag(FirstVD->getLocation(), 3187 diag::note_carries_dependency_missing_first_decl) << 1/*Param*/; 3188 } 3189 3190 if (!oldDecl->hasAttrs()) 3191 return; 3192 3193 bool foundAny = newDecl->hasAttrs(); 3194 3195 // Ensure that any moving of objects within the allocated map is 3196 // done before we process them. 3197 if (!foundAny) newDecl->setAttrs(AttrVec()); 3198 3199 for (const auto *I : oldDecl->specific_attrs<InheritableParamAttr>()) { 3200 if (!DeclHasAttr(newDecl, I)) { 3201 InheritableAttr *newAttr = 3202 cast<InheritableParamAttr>(I->clone(S.Context)); 3203 newAttr->setInherited(true); 3204 newDecl->addAttr(newAttr); 3205 foundAny = true; 3206 } 3207 } 3208 3209 if (!foundAny) newDecl->dropAttrs(); 3210 } 3211 3212 static void mergeParamDeclTypes(ParmVarDecl *NewParam, 3213 const ParmVarDecl *OldParam, 3214 Sema &S) { 3215 if (auto Oldnullability = OldParam->getType()->getNullability(S.Context)) { 3216 if (auto Newnullability = NewParam->getType()->getNullability(S.Context)) { 3217 if (*Oldnullability != *Newnullability) { 3218 S.Diag(NewParam->getLocation(), diag::warn_mismatched_nullability_attr) 3219 << DiagNullabilityKind( 3220 *Newnullability, 3221 ((NewParam->getObjCDeclQualifier() & Decl::OBJC_TQ_CSNullability) 3222 != 0)) 3223 << DiagNullabilityKind( 3224 *Oldnullability, 3225 ((OldParam->getObjCDeclQualifier() & Decl::OBJC_TQ_CSNullability) 3226 != 0)); 3227 S.Diag(OldParam->getLocation(), diag::note_previous_declaration); 3228 } 3229 } else { 3230 QualType NewT = NewParam->getType(); 3231 NewT = S.Context.getAttributedType( 3232 AttributedType::getNullabilityAttrKind(*Oldnullability), 3233 NewT, NewT); 3234 NewParam->setType(NewT); 3235 } 3236 } 3237 } 3238 3239 namespace { 3240 3241 /// Used in MergeFunctionDecl to keep track of function parameters in 3242 /// C. 3243 struct GNUCompatibleParamWarning { 3244 ParmVarDecl *OldParm; 3245 ParmVarDecl *NewParm; 3246 QualType PromotedType; 3247 }; 3248 3249 } // end anonymous namespace 3250 3251 // Determine whether the previous declaration was a definition, implicit 3252 // declaration, or a declaration. 3253 template <typename T> 3254 static std::pair<diag::kind, SourceLocation> 3255 getNoteDiagForInvalidRedeclaration(const T *Old, const T *New) { 3256 diag::kind PrevDiag; 3257 SourceLocation OldLocation = Old->getLocation(); 3258 if (Old->isThisDeclarationADefinition()) 3259 PrevDiag = diag::note_previous_definition; 3260 else if (Old->isImplicit()) { 3261 PrevDiag = diag::note_previous_implicit_declaration; 3262 if (const auto *FD = dyn_cast<FunctionDecl>(Old)) { 3263 if (FD->getBuiltinID()) 3264 PrevDiag = diag::note_previous_builtin_declaration; 3265 } 3266 if (OldLocation.isInvalid()) 3267 OldLocation = New->getLocation(); 3268 } else 3269 PrevDiag = diag::note_previous_declaration; 3270 return std::make_pair(PrevDiag, OldLocation); 3271 } 3272 3273 /// canRedefineFunction - checks if a function can be redefined. Currently, 3274 /// only extern inline functions can be redefined, and even then only in 3275 /// GNU89 mode. 3276 static bool canRedefineFunction(const FunctionDecl *FD, 3277 const LangOptions& LangOpts) { 3278 return ((FD->hasAttr<GNUInlineAttr>() || LangOpts.GNUInline) && 3279 !LangOpts.CPlusPlus && 3280 FD->isInlineSpecified() && 3281 FD->getStorageClass() == SC_Extern); 3282 } 3283 3284 const AttributedType *Sema::getCallingConvAttributedType(QualType T) const { 3285 const AttributedType *AT = T->getAs<AttributedType>(); 3286 while (AT && !AT->isCallingConv()) 3287 AT = AT->getModifiedType()->getAs<AttributedType>(); 3288 return AT; 3289 } 3290 3291 template <typename T> 3292 static bool haveIncompatibleLanguageLinkages(const T *Old, const T *New) { 3293 const DeclContext *DC = Old->getDeclContext(); 3294 if (DC->isRecord()) 3295 return false; 3296 3297 LanguageLinkage OldLinkage = Old->getLanguageLinkage(); 3298 if (OldLinkage == CXXLanguageLinkage && New->isInExternCContext()) 3299 return true; 3300 if (OldLinkage == CLanguageLinkage && New->isInExternCXXContext()) 3301 return true; 3302 return false; 3303 } 3304 3305 template<typename T> static bool isExternC(T *D) { return D->isExternC(); } 3306 static bool isExternC(VarTemplateDecl *) { return false; } 3307 static bool isExternC(FunctionTemplateDecl *) { return false; } 3308 3309 /// Check whether a redeclaration of an entity introduced by a 3310 /// using-declaration is valid, given that we know it's not an overload 3311 /// (nor a hidden tag declaration). 3312 template<typename ExpectedDecl> 3313 static bool checkUsingShadowRedecl(Sema &S, UsingShadowDecl *OldS, 3314 ExpectedDecl *New) { 3315 // C++11 [basic.scope.declarative]p4: 3316 // Given a set of declarations in a single declarative region, each of 3317 // which specifies the same unqualified name, 3318 // -- they shall all refer to the same entity, or all refer to functions 3319 // and function templates; or 3320 // -- exactly one declaration shall declare a class name or enumeration 3321 // name that is not a typedef name and the other declarations shall all 3322 // refer to the same variable or enumerator, or all refer to functions 3323 // and function templates; in this case the class name or enumeration 3324 // name is hidden (3.3.10). 3325 3326 // C++11 [namespace.udecl]p14: 3327 // If a function declaration in namespace scope or block scope has the 3328 // same name and the same parameter-type-list as a function introduced 3329 // by a using-declaration, and the declarations do not declare the same 3330 // function, the program is ill-formed. 3331 3332 auto *Old = dyn_cast<ExpectedDecl>(OldS->getTargetDecl()); 3333 if (Old && 3334 !Old->getDeclContext()->getRedeclContext()->Equals( 3335 New->getDeclContext()->getRedeclContext()) && 3336 !(isExternC(Old) && isExternC(New))) 3337 Old = nullptr; 3338 3339 if (!Old) { 3340 S.Diag(New->getLocation(), diag::err_using_decl_conflict_reverse); 3341 S.Diag(OldS->getTargetDecl()->getLocation(), diag::note_using_decl_target); 3342 S.Diag(OldS->getIntroducer()->getLocation(), diag::note_using_decl) << 0; 3343 return true; 3344 } 3345 return false; 3346 } 3347 3348 static bool hasIdenticalPassObjectSizeAttrs(const FunctionDecl *A, 3349 const FunctionDecl *B) { 3350 assert(A->getNumParams() == B->getNumParams()); 3351 3352 auto AttrEq = [](const ParmVarDecl *A, const ParmVarDecl *B) { 3353 const auto *AttrA = A->getAttr<PassObjectSizeAttr>(); 3354 const auto *AttrB = B->getAttr<PassObjectSizeAttr>(); 3355 if (AttrA == AttrB) 3356 return true; 3357 return AttrA && AttrB && AttrA->getType() == AttrB->getType() && 3358 AttrA->isDynamic() == AttrB->isDynamic(); 3359 }; 3360 3361 return std::equal(A->param_begin(), A->param_end(), B->param_begin(), AttrEq); 3362 } 3363 3364 /// If necessary, adjust the semantic declaration context for a qualified 3365 /// declaration to name the correct inline namespace within the qualifier. 3366 static void adjustDeclContextForDeclaratorDecl(DeclaratorDecl *NewD, 3367 DeclaratorDecl *OldD) { 3368 // The only case where we need to update the DeclContext is when 3369 // redeclaration lookup for a qualified name finds a declaration 3370 // in an inline namespace within the context named by the qualifier: 3371 // 3372 // inline namespace N { int f(); } 3373 // int ::f(); // Sema DC needs adjusting from :: to N::. 3374 // 3375 // For unqualified declarations, the semantic context *can* change 3376 // along the redeclaration chain (for local extern declarations, 3377 // extern "C" declarations, and friend declarations in particular). 3378 if (!NewD->getQualifier()) 3379 return; 3380 3381 // NewD is probably already in the right context. 3382 auto *NamedDC = NewD->getDeclContext()->getRedeclContext(); 3383 auto *SemaDC = OldD->getDeclContext()->getRedeclContext(); 3384 if (NamedDC->Equals(SemaDC)) 3385 return; 3386 3387 assert((NamedDC->InEnclosingNamespaceSetOf(SemaDC) || 3388 NewD->isInvalidDecl() || OldD->isInvalidDecl()) && 3389 "unexpected context for redeclaration"); 3390 3391 auto *LexDC = NewD->getLexicalDeclContext(); 3392 auto FixSemaDC = [=](NamedDecl *D) { 3393 if (!D) 3394 return; 3395 D->setDeclContext(SemaDC); 3396 D->setLexicalDeclContext(LexDC); 3397 }; 3398 3399 FixSemaDC(NewD); 3400 if (auto *FD = dyn_cast<FunctionDecl>(NewD)) 3401 FixSemaDC(FD->getDescribedFunctionTemplate()); 3402 else if (auto *VD = dyn_cast<VarDecl>(NewD)) 3403 FixSemaDC(VD->getDescribedVarTemplate()); 3404 } 3405 3406 /// MergeFunctionDecl - We just parsed a function 'New' from 3407 /// declarator D which has the same name and scope as a previous 3408 /// declaration 'Old'. Figure out how to resolve this situation, 3409 /// merging decls or emitting diagnostics as appropriate. 3410 /// 3411 /// In C++, New and Old must be declarations that are not 3412 /// overloaded. Use IsOverload to determine whether New and Old are 3413 /// overloaded, and to select the Old declaration that New should be 3414 /// merged with. 3415 /// 3416 /// Returns true if there was an error, false otherwise. 3417 bool Sema::MergeFunctionDecl(FunctionDecl *New, NamedDecl *&OldD, Scope *S, 3418 bool MergeTypeWithOld, bool NewDeclIsDefn) { 3419 // Verify the old decl was also a function. 3420 FunctionDecl *Old = OldD->getAsFunction(); 3421 if (!Old) { 3422 if (UsingShadowDecl *Shadow = dyn_cast<UsingShadowDecl>(OldD)) { 3423 if (New->getFriendObjectKind()) { 3424 Diag(New->getLocation(), diag::err_using_decl_friend); 3425 Diag(Shadow->getTargetDecl()->getLocation(), 3426 diag::note_using_decl_target); 3427 Diag(Shadow->getIntroducer()->getLocation(), diag::note_using_decl) 3428 << 0; 3429 return true; 3430 } 3431 3432 // Check whether the two declarations might declare the same function or 3433 // function template. 3434 if (FunctionTemplateDecl *NewTemplate = 3435 New->getDescribedFunctionTemplate()) { 3436 if (checkUsingShadowRedecl<FunctionTemplateDecl>(*this, Shadow, 3437 NewTemplate)) 3438 return true; 3439 OldD = Old = cast<FunctionTemplateDecl>(Shadow->getTargetDecl()) 3440 ->getAsFunction(); 3441 } else { 3442 if (checkUsingShadowRedecl<FunctionDecl>(*this, Shadow, New)) 3443 return true; 3444 OldD = Old = cast<FunctionDecl>(Shadow->getTargetDecl()); 3445 } 3446 } else { 3447 Diag(New->getLocation(), diag::err_redefinition_different_kind) 3448 << New->getDeclName(); 3449 notePreviousDefinition(OldD, New->getLocation()); 3450 return true; 3451 } 3452 } 3453 3454 // If the old declaration was found in an inline namespace and the new 3455 // declaration was qualified, update the DeclContext to match. 3456 adjustDeclContextForDeclaratorDecl(New, Old); 3457 3458 // If the old declaration is invalid, just give up here. 3459 if (Old->isInvalidDecl()) 3460 return true; 3461 3462 // Disallow redeclaration of some builtins. 3463 if (!getASTContext().canBuiltinBeRedeclared(Old)) { 3464 Diag(New->getLocation(), diag::err_builtin_redeclare) << Old->getDeclName(); 3465 Diag(Old->getLocation(), diag::note_previous_builtin_declaration) 3466 << Old << Old->getType(); 3467 return true; 3468 } 3469 3470 diag::kind PrevDiag; 3471 SourceLocation OldLocation; 3472 std::tie(PrevDiag, OldLocation) = 3473 getNoteDiagForInvalidRedeclaration(Old, New); 3474 3475 // Don't complain about this if we're in GNU89 mode and the old function 3476 // is an extern inline function. 3477 // Don't complain about specializations. They are not supposed to have 3478 // storage classes. 3479 if (!isa<CXXMethodDecl>(New) && !isa<CXXMethodDecl>(Old) && 3480 New->getStorageClass() == SC_Static && 3481 Old->hasExternalFormalLinkage() && 3482 !New->getTemplateSpecializationInfo() && 3483 !canRedefineFunction(Old, getLangOpts())) { 3484 if (getLangOpts().MicrosoftExt) { 3485 Diag(New->getLocation(), diag::ext_static_non_static) << New; 3486 Diag(OldLocation, PrevDiag); 3487 } else { 3488 Diag(New->getLocation(), diag::err_static_non_static) << New; 3489 Diag(OldLocation, PrevDiag); 3490 return true; 3491 } 3492 } 3493 3494 if (const auto *ILA = New->getAttr<InternalLinkageAttr>()) 3495 if (!Old->hasAttr<InternalLinkageAttr>()) { 3496 Diag(New->getLocation(), diag::err_attribute_missing_on_first_decl) 3497 << ILA; 3498 Diag(Old->getLocation(), diag::note_previous_declaration); 3499 New->dropAttr<InternalLinkageAttr>(); 3500 } 3501 3502 if (auto *EA = New->getAttr<ErrorAttr>()) { 3503 if (!Old->hasAttr<ErrorAttr>()) { 3504 Diag(EA->getLocation(), diag::err_attribute_missing_on_first_decl) << EA; 3505 Diag(Old->getLocation(), diag::note_previous_declaration); 3506 New->dropAttr<ErrorAttr>(); 3507 } 3508 } 3509 3510 if (CheckRedeclarationInModule(New, Old)) 3511 return true; 3512 3513 if (!getLangOpts().CPlusPlus) { 3514 bool OldOvl = Old->hasAttr<OverloadableAttr>(); 3515 if (OldOvl != New->hasAttr<OverloadableAttr>() && !Old->isImplicit()) { 3516 Diag(New->getLocation(), diag::err_attribute_overloadable_mismatch) 3517 << New << OldOvl; 3518 3519 // Try our best to find a decl that actually has the overloadable 3520 // attribute for the note. In most cases (e.g. programs with only one 3521 // broken declaration/definition), this won't matter. 3522 // 3523 // FIXME: We could do this if we juggled some extra state in 3524 // OverloadableAttr, rather than just removing it. 3525 const Decl *DiagOld = Old; 3526 if (OldOvl) { 3527 auto OldIter = llvm::find_if(Old->redecls(), [](const Decl *D) { 3528 const auto *A = D->getAttr<OverloadableAttr>(); 3529 return A && !A->isImplicit(); 3530 }); 3531 // If we've implicitly added *all* of the overloadable attrs to this 3532 // chain, emitting a "previous redecl" note is pointless. 3533 DiagOld = OldIter == Old->redecls_end() ? nullptr : *OldIter; 3534 } 3535 3536 if (DiagOld) 3537 Diag(DiagOld->getLocation(), 3538 diag::note_attribute_overloadable_prev_overload) 3539 << OldOvl; 3540 3541 if (OldOvl) 3542 New->addAttr(OverloadableAttr::CreateImplicit(Context)); 3543 else 3544 New->dropAttr<OverloadableAttr>(); 3545 } 3546 } 3547 3548 // If a function is first declared with a calling convention, but is later 3549 // declared or defined without one, all following decls assume the calling 3550 // convention of the first. 3551 // 3552 // It's OK if a function is first declared without a calling convention, 3553 // but is later declared or defined with the default calling convention. 3554 // 3555 // To test if either decl has an explicit calling convention, we look for 3556 // AttributedType sugar nodes on the type as written. If they are missing or 3557 // were canonicalized away, we assume the calling convention was implicit. 3558 // 3559 // Note also that we DO NOT return at this point, because we still have 3560 // other tests to run. 3561 QualType OldQType = Context.getCanonicalType(Old->getType()); 3562 QualType NewQType = Context.getCanonicalType(New->getType()); 3563 const FunctionType *OldType = cast<FunctionType>(OldQType); 3564 const FunctionType *NewType = cast<FunctionType>(NewQType); 3565 FunctionType::ExtInfo OldTypeInfo = OldType->getExtInfo(); 3566 FunctionType::ExtInfo NewTypeInfo = NewType->getExtInfo(); 3567 bool RequiresAdjustment = false; 3568 3569 if (OldTypeInfo.getCC() != NewTypeInfo.getCC()) { 3570 FunctionDecl *First = Old->getFirstDecl(); 3571 const FunctionType *FT = 3572 First->getType().getCanonicalType()->castAs<FunctionType>(); 3573 FunctionType::ExtInfo FI = FT->getExtInfo(); 3574 bool NewCCExplicit = getCallingConvAttributedType(New->getType()); 3575 if (!NewCCExplicit) { 3576 // Inherit the CC from the previous declaration if it was specified 3577 // there but not here. 3578 NewTypeInfo = NewTypeInfo.withCallingConv(OldTypeInfo.getCC()); 3579 RequiresAdjustment = true; 3580 } else if (Old->getBuiltinID()) { 3581 // Builtin attribute isn't propagated to the new one yet at this point, 3582 // so we check if the old one is a builtin. 3583 3584 // Calling Conventions on a Builtin aren't really useful and setting a 3585 // default calling convention and cdecl'ing some builtin redeclarations is 3586 // common, so warn and ignore the calling convention on the redeclaration. 3587 Diag(New->getLocation(), diag::warn_cconv_unsupported) 3588 << FunctionType::getNameForCallConv(NewTypeInfo.getCC()) 3589 << (int)CallingConventionIgnoredReason::BuiltinFunction; 3590 NewTypeInfo = NewTypeInfo.withCallingConv(OldTypeInfo.getCC()); 3591 RequiresAdjustment = true; 3592 } else { 3593 // Calling conventions aren't compatible, so complain. 3594 bool FirstCCExplicit = getCallingConvAttributedType(First->getType()); 3595 Diag(New->getLocation(), diag::err_cconv_change) 3596 << FunctionType::getNameForCallConv(NewTypeInfo.getCC()) 3597 << !FirstCCExplicit 3598 << (!FirstCCExplicit ? "" : 3599 FunctionType::getNameForCallConv(FI.getCC())); 3600 3601 // Put the note on the first decl, since it is the one that matters. 3602 Diag(First->getLocation(), diag::note_previous_declaration); 3603 return true; 3604 } 3605 } 3606 3607 // FIXME: diagnose the other way around? 3608 if (OldTypeInfo.getNoReturn() && !NewTypeInfo.getNoReturn()) { 3609 NewTypeInfo = NewTypeInfo.withNoReturn(true); 3610 RequiresAdjustment = true; 3611 } 3612 3613 // Merge regparm attribute. 3614 if (OldTypeInfo.getHasRegParm() != NewTypeInfo.getHasRegParm() || 3615 OldTypeInfo.getRegParm() != NewTypeInfo.getRegParm()) { 3616 if (NewTypeInfo.getHasRegParm()) { 3617 Diag(New->getLocation(), diag::err_regparm_mismatch) 3618 << NewType->getRegParmType() 3619 << OldType->getRegParmType(); 3620 Diag(OldLocation, diag::note_previous_declaration); 3621 return true; 3622 } 3623 3624 NewTypeInfo = NewTypeInfo.withRegParm(OldTypeInfo.getRegParm()); 3625 RequiresAdjustment = true; 3626 } 3627 3628 // Merge ns_returns_retained attribute. 3629 if (OldTypeInfo.getProducesResult() != NewTypeInfo.getProducesResult()) { 3630 if (NewTypeInfo.getProducesResult()) { 3631 Diag(New->getLocation(), diag::err_function_attribute_mismatch) 3632 << "'ns_returns_retained'"; 3633 Diag(OldLocation, diag::note_previous_declaration); 3634 return true; 3635 } 3636 3637 NewTypeInfo = NewTypeInfo.withProducesResult(true); 3638 RequiresAdjustment = true; 3639 } 3640 3641 if (OldTypeInfo.getNoCallerSavedRegs() != 3642 NewTypeInfo.getNoCallerSavedRegs()) { 3643 if (NewTypeInfo.getNoCallerSavedRegs()) { 3644 AnyX86NoCallerSavedRegistersAttr *Attr = 3645 New->getAttr<AnyX86NoCallerSavedRegistersAttr>(); 3646 Diag(New->getLocation(), diag::err_function_attribute_mismatch) << Attr; 3647 Diag(OldLocation, diag::note_previous_declaration); 3648 return true; 3649 } 3650 3651 NewTypeInfo = NewTypeInfo.withNoCallerSavedRegs(true); 3652 RequiresAdjustment = true; 3653 } 3654 3655 if (RequiresAdjustment) { 3656 const FunctionType *AdjustedType = New->getType()->getAs<FunctionType>(); 3657 AdjustedType = Context.adjustFunctionType(AdjustedType, NewTypeInfo); 3658 New->setType(QualType(AdjustedType, 0)); 3659 NewQType = Context.getCanonicalType(New->getType()); 3660 } 3661 3662 // If this redeclaration makes the function inline, we may need to add it to 3663 // UndefinedButUsed. 3664 if (!Old->isInlined() && New->isInlined() && 3665 !New->hasAttr<GNUInlineAttr>() && 3666 !getLangOpts().GNUInline && 3667 Old->isUsed(false) && 3668 !Old->isDefined() && !New->isThisDeclarationADefinition()) 3669 UndefinedButUsed.insert(std::make_pair(Old->getCanonicalDecl(), 3670 SourceLocation())); 3671 3672 // If this redeclaration makes it newly gnu_inline, we don't want to warn 3673 // about it. 3674 if (New->hasAttr<GNUInlineAttr>() && 3675 Old->isInlined() && !Old->hasAttr<GNUInlineAttr>()) { 3676 UndefinedButUsed.erase(Old->getCanonicalDecl()); 3677 } 3678 3679 // If pass_object_size params don't match up perfectly, this isn't a valid 3680 // redeclaration. 3681 if (Old->getNumParams() > 0 && Old->getNumParams() == New->getNumParams() && 3682 !hasIdenticalPassObjectSizeAttrs(Old, New)) { 3683 Diag(New->getLocation(), diag::err_different_pass_object_size_params) 3684 << New->getDeclName(); 3685 Diag(OldLocation, PrevDiag) << Old << Old->getType(); 3686 return true; 3687 } 3688 3689 if (getLangOpts().CPlusPlus) { 3690 // C++1z [over.load]p2 3691 // Certain function declarations cannot be overloaded: 3692 // -- Function declarations that differ only in the return type, 3693 // the exception specification, or both cannot be overloaded. 3694 3695 // Check the exception specifications match. This may recompute the type of 3696 // both Old and New if it resolved exception specifications, so grab the 3697 // types again after this. Because this updates the type, we do this before 3698 // any of the other checks below, which may update the "de facto" NewQType 3699 // but do not necessarily update the type of New. 3700 if (CheckEquivalentExceptionSpec(Old, New)) 3701 return true; 3702 OldQType = Context.getCanonicalType(Old->getType()); 3703 NewQType = Context.getCanonicalType(New->getType()); 3704 3705 // Go back to the type source info to compare the declared return types, 3706 // per C++1y [dcl.type.auto]p13: 3707 // Redeclarations or specializations of a function or function template 3708 // with a declared return type that uses a placeholder type shall also 3709 // use that placeholder, not a deduced type. 3710 QualType OldDeclaredReturnType = Old->getDeclaredReturnType(); 3711 QualType NewDeclaredReturnType = New->getDeclaredReturnType(); 3712 if (!Context.hasSameType(OldDeclaredReturnType, NewDeclaredReturnType) && 3713 canFullyTypeCheckRedeclaration(New, Old, NewDeclaredReturnType, 3714 OldDeclaredReturnType)) { 3715 QualType ResQT; 3716 if (NewDeclaredReturnType->isObjCObjectPointerType() && 3717 OldDeclaredReturnType->isObjCObjectPointerType()) 3718 // FIXME: This does the wrong thing for a deduced return type. 3719 ResQT = Context.mergeObjCGCQualifiers(NewQType, OldQType); 3720 if (ResQT.isNull()) { 3721 if (New->isCXXClassMember() && New->isOutOfLine()) 3722 Diag(New->getLocation(), diag::err_member_def_does_not_match_ret_type) 3723 << New << New->getReturnTypeSourceRange(); 3724 else 3725 Diag(New->getLocation(), diag::err_ovl_diff_return_type) 3726 << New->getReturnTypeSourceRange(); 3727 Diag(OldLocation, PrevDiag) << Old << Old->getType() 3728 << Old->getReturnTypeSourceRange(); 3729 return true; 3730 } 3731 else 3732 NewQType = ResQT; 3733 } 3734 3735 QualType OldReturnType = OldType->getReturnType(); 3736 QualType NewReturnType = cast<FunctionType>(NewQType)->getReturnType(); 3737 if (OldReturnType != NewReturnType) { 3738 // If this function has a deduced return type and has already been 3739 // defined, copy the deduced value from the old declaration. 3740 AutoType *OldAT = Old->getReturnType()->getContainedAutoType(); 3741 if (OldAT && OldAT->isDeduced()) { 3742 QualType DT = OldAT->getDeducedType(); 3743 if (DT.isNull()) { 3744 New->setType(SubstAutoTypeDependent(New->getType())); 3745 NewQType = Context.getCanonicalType(SubstAutoTypeDependent(NewQType)); 3746 } else { 3747 New->setType(SubstAutoType(New->getType(), DT)); 3748 NewQType = Context.getCanonicalType(SubstAutoType(NewQType, DT)); 3749 } 3750 } 3751 } 3752 3753 const CXXMethodDecl *OldMethod = dyn_cast<CXXMethodDecl>(Old); 3754 CXXMethodDecl *NewMethod = dyn_cast<CXXMethodDecl>(New); 3755 if (OldMethod && NewMethod) { 3756 // Preserve triviality. 3757 NewMethod->setTrivial(OldMethod->isTrivial()); 3758 3759 // MSVC allows explicit template specialization at class scope: 3760 // 2 CXXMethodDecls referring to the same function will be injected. 3761 // We don't want a redeclaration error. 3762 bool IsClassScopeExplicitSpecialization = 3763 OldMethod->isFunctionTemplateSpecialization() && 3764 NewMethod->isFunctionTemplateSpecialization(); 3765 bool isFriend = NewMethod->getFriendObjectKind(); 3766 3767 if (!isFriend && NewMethod->getLexicalDeclContext()->isRecord() && 3768 !IsClassScopeExplicitSpecialization) { 3769 // -- Member function declarations with the same name and the 3770 // same parameter types cannot be overloaded if any of them 3771 // is a static member function declaration. 3772 if (OldMethod->isStatic() != NewMethod->isStatic()) { 3773 Diag(New->getLocation(), diag::err_ovl_static_nonstatic_member); 3774 Diag(OldLocation, PrevDiag) << Old << Old->getType(); 3775 return true; 3776 } 3777 3778 // C++ [class.mem]p1: 3779 // [...] A member shall not be declared twice in the 3780 // member-specification, except that a nested class or member 3781 // class template can be declared and then later defined. 3782 if (!inTemplateInstantiation()) { 3783 unsigned NewDiag; 3784 if (isa<CXXConstructorDecl>(OldMethod)) 3785 NewDiag = diag::err_constructor_redeclared; 3786 else if (isa<CXXDestructorDecl>(NewMethod)) 3787 NewDiag = diag::err_destructor_redeclared; 3788 else if (isa<CXXConversionDecl>(NewMethod)) 3789 NewDiag = diag::err_conv_function_redeclared; 3790 else 3791 NewDiag = diag::err_member_redeclared; 3792 3793 Diag(New->getLocation(), NewDiag); 3794 } else { 3795 Diag(New->getLocation(), diag::err_member_redeclared_in_instantiation) 3796 << New << New->getType(); 3797 } 3798 Diag(OldLocation, PrevDiag) << Old << Old->getType(); 3799 return true; 3800 3801 // Complain if this is an explicit declaration of a special 3802 // member that was initially declared implicitly. 3803 // 3804 // As an exception, it's okay to befriend such methods in order 3805 // to permit the implicit constructor/destructor/operator calls. 3806 } else if (OldMethod->isImplicit()) { 3807 if (isFriend) { 3808 NewMethod->setImplicit(); 3809 } else { 3810 Diag(NewMethod->getLocation(), 3811 diag::err_definition_of_implicitly_declared_member) 3812 << New << getSpecialMember(OldMethod); 3813 return true; 3814 } 3815 } else if (OldMethod->getFirstDecl()->isExplicitlyDefaulted() && !isFriend) { 3816 Diag(NewMethod->getLocation(), 3817 diag::err_definition_of_explicitly_defaulted_member) 3818 << getSpecialMember(OldMethod); 3819 return true; 3820 } 3821 } 3822 3823 // C++11 [dcl.attr.noreturn]p1: 3824 // The first declaration of a function shall specify the noreturn 3825 // attribute if any declaration of that function specifies the noreturn 3826 // attribute. 3827 if (const auto *NRA = New->getAttr<CXX11NoReturnAttr>()) 3828 if (!Old->hasAttr<CXX11NoReturnAttr>()) { 3829 Diag(NRA->getLocation(), diag::err_attribute_missing_on_first_decl) 3830 << NRA; 3831 Diag(Old->getLocation(), diag::note_previous_declaration); 3832 } 3833 3834 // C++11 [dcl.attr.depend]p2: 3835 // The first declaration of a function shall specify the 3836 // carries_dependency attribute for its declarator-id if any declaration 3837 // of the function specifies the carries_dependency attribute. 3838 const CarriesDependencyAttr *CDA = New->getAttr<CarriesDependencyAttr>(); 3839 if (CDA && !Old->hasAttr<CarriesDependencyAttr>()) { 3840 Diag(CDA->getLocation(), 3841 diag::err_carries_dependency_missing_on_first_decl) << 0/*Function*/; 3842 Diag(Old->getFirstDecl()->getLocation(), 3843 diag::note_carries_dependency_missing_first_decl) << 0/*Function*/; 3844 } 3845 3846 // (C++98 8.3.5p3): 3847 // All declarations for a function shall agree exactly in both the 3848 // return type and the parameter-type-list. 3849 // We also want to respect all the extended bits except noreturn. 3850 3851 // noreturn should now match unless the old type info didn't have it. 3852 QualType OldQTypeForComparison = OldQType; 3853 if (!OldTypeInfo.getNoReturn() && NewTypeInfo.getNoReturn()) { 3854 auto *OldType = OldQType->castAs<FunctionProtoType>(); 3855 const FunctionType *OldTypeForComparison 3856 = Context.adjustFunctionType(OldType, OldTypeInfo.withNoReturn(true)); 3857 OldQTypeForComparison = QualType(OldTypeForComparison, 0); 3858 assert(OldQTypeForComparison.isCanonical()); 3859 } 3860 3861 if (haveIncompatibleLanguageLinkages(Old, New)) { 3862 // As a special case, retain the language linkage from previous 3863 // declarations of a friend function as an extension. 3864 // 3865 // This liberal interpretation of C++ [class.friend]p3 matches GCC/MSVC 3866 // and is useful because there's otherwise no way to specify language 3867 // linkage within class scope. 3868 // 3869 // Check cautiously as the friend object kind isn't yet complete. 3870 if (New->getFriendObjectKind() != Decl::FOK_None) { 3871 Diag(New->getLocation(), diag::ext_retained_language_linkage) << New; 3872 Diag(OldLocation, PrevDiag); 3873 } else { 3874 Diag(New->getLocation(), diag::err_different_language_linkage) << New; 3875 Diag(OldLocation, PrevDiag); 3876 return true; 3877 } 3878 } 3879 3880 // If the function types are compatible, merge the declarations. Ignore the 3881 // exception specifier because it was already checked above in 3882 // CheckEquivalentExceptionSpec, and we don't want follow-on diagnostics 3883 // about incompatible types under -fms-compatibility. 3884 if (Context.hasSameFunctionTypeIgnoringExceptionSpec(OldQTypeForComparison, 3885 NewQType)) 3886 return MergeCompatibleFunctionDecls(New, Old, S, MergeTypeWithOld); 3887 3888 // If the types are imprecise (due to dependent constructs in friends or 3889 // local extern declarations), it's OK if they differ. We'll check again 3890 // during instantiation. 3891 if (!canFullyTypeCheckRedeclaration(New, Old, NewQType, OldQType)) 3892 return false; 3893 3894 // Fall through for conflicting redeclarations and redefinitions. 3895 } 3896 3897 // C: Function types need to be compatible, not identical. This handles 3898 // duplicate function decls like "void f(int); void f(enum X);" properly. 3899 if (!getLangOpts().CPlusPlus) { 3900 // C99 6.7.5.3p15: ...If one type has a parameter type list and the other 3901 // type is specified by a function definition that contains a (possibly 3902 // empty) identifier list, both shall agree in the number of parameters 3903 // and the type of each parameter shall be compatible with the type that 3904 // results from the application of default argument promotions to the 3905 // type of the corresponding identifier. ... 3906 // This cannot be handled by ASTContext::typesAreCompatible() because that 3907 // doesn't know whether the function type is for a definition or not when 3908 // eventually calling ASTContext::mergeFunctionTypes(). The only situation 3909 // we need to cover here is that the number of arguments agree as the 3910 // default argument promotion rules were already checked by 3911 // ASTContext::typesAreCompatible(). 3912 if (Old->hasPrototype() && !New->hasWrittenPrototype() && NewDeclIsDefn && 3913 Old->getNumParams() != New->getNumParams()) { 3914 if (Old->hasInheritedPrototype()) 3915 Old = Old->getCanonicalDecl(); 3916 Diag(New->getLocation(), diag::err_conflicting_types) << New; 3917 Diag(Old->getLocation(), PrevDiag) << Old << Old->getType(); 3918 return true; 3919 } 3920 3921 // If we are merging two functions where only one of them has a prototype, 3922 // we may have enough information to decide to issue a diagnostic that the 3923 // function without a protoype will change behavior in C2x. This handles 3924 // cases like: 3925 // void i(); void i(int j); 3926 // void i(int j); void i(); 3927 // void i(); void i(int j) {} 3928 // See ActOnFinishFunctionBody() for other cases of the behavior change 3929 // diagnostic. See GetFullTypeForDeclarator() for handling of a function 3930 // type without a prototype. 3931 if (New->hasWrittenPrototype() != Old->hasWrittenPrototype() && 3932 !New->isImplicit() && !Old->isImplicit()) { 3933 const FunctionDecl *WithProto, *WithoutProto; 3934 if (New->hasWrittenPrototype()) { 3935 WithProto = New; 3936 WithoutProto = Old; 3937 } else { 3938 WithProto = Old; 3939 WithoutProto = New; 3940 } 3941 3942 if (WithProto->getNumParams() != 0) { 3943 if (WithoutProto->getBuiltinID() == 0 && !WithoutProto->isImplicit()) { 3944 // The one without the prototype will be changing behavior in C2x, so 3945 // warn about that one so long as it's a user-visible declaration. 3946 bool IsWithoutProtoADef = false, IsWithProtoADef = false; 3947 if (WithoutProto == New) 3948 IsWithoutProtoADef = NewDeclIsDefn; 3949 else 3950 IsWithProtoADef = NewDeclIsDefn; 3951 Diag(WithoutProto->getLocation(), 3952 diag::warn_non_prototype_changes_behavior) 3953 << IsWithoutProtoADef << (WithoutProto->getNumParams() ? 0 : 1) 3954 << (WithoutProto == Old) << IsWithProtoADef; 3955 3956 // The reason the one without the prototype will be changing behavior 3957 // is because of the one with the prototype, so note that so long as 3958 // it's a user-visible declaration. There is one exception to this: 3959 // when the new declaration is a definition without a prototype, the 3960 // old declaration with a prototype is not the cause of the issue, 3961 // and that does not need to be noted because the one with a 3962 // prototype will not change behavior in C2x. 3963 if (WithProto->getBuiltinID() == 0 && !WithProto->isImplicit() && 3964 !IsWithoutProtoADef) 3965 Diag(WithProto->getLocation(), diag::note_conflicting_prototype); 3966 } 3967 } 3968 } 3969 3970 if (Context.typesAreCompatible(OldQType, NewQType)) { 3971 const FunctionType *OldFuncType = OldQType->getAs<FunctionType>(); 3972 const FunctionType *NewFuncType = NewQType->getAs<FunctionType>(); 3973 const FunctionProtoType *OldProto = nullptr; 3974 if (MergeTypeWithOld && isa<FunctionNoProtoType>(NewFuncType) && 3975 (OldProto = dyn_cast<FunctionProtoType>(OldFuncType))) { 3976 // The old declaration provided a function prototype, but the 3977 // new declaration does not. Merge in the prototype. 3978 assert(!OldProto->hasExceptionSpec() && "Exception spec in C"); 3979 SmallVector<QualType, 16> ParamTypes(OldProto->param_types()); 3980 NewQType = 3981 Context.getFunctionType(NewFuncType->getReturnType(), ParamTypes, 3982 OldProto->getExtProtoInfo()); 3983 New->setType(NewQType); 3984 New->setHasInheritedPrototype(); 3985 3986 // Synthesize parameters with the same types. 3987 SmallVector<ParmVarDecl *, 16> Params; 3988 for (const auto &ParamType : OldProto->param_types()) { 3989 ParmVarDecl *Param = ParmVarDecl::Create( 3990 Context, New, SourceLocation(), SourceLocation(), nullptr, 3991 ParamType, /*TInfo=*/nullptr, SC_None, nullptr); 3992 Param->setScopeInfo(0, Params.size()); 3993 Param->setImplicit(); 3994 Params.push_back(Param); 3995 } 3996 3997 New->setParams(Params); 3998 } 3999 4000 return MergeCompatibleFunctionDecls(New, Old, S, MergeTypeWithOld); 4001 } 4002 } 4003 4004 // Check if the function types are compatible when pointer size address 4005 // spaces are ignored. 4006 if (Context.hasSameFunctionTypeIgnoringPtrSizes(OldQType, NewQType)) 4007 return false; 4008 4009 // GNU C permits a K&R definition to follow a prototype declaration 4010 // if the declared types of the parameters in the K&R definition 4011 // match the types in the prototype declaration, even when the 4012 // promoted types of the parameters from the K&R definition differ 4013 // from the types in the prototype. GCC then keeps the types from 4014 // the prototype. 4015 // 4016 // If a variadic prototype is followed by a non-variadic K&R definition, 4017 // the K&R definition becomes variadic. This is sort of an edge case, but 4018 // it's legal per the standard depending on how you read C99 6.7.5.3p15 and 4019 // C99 6.9.1p8. 4020 if (!getLangOpts().CPlusPlus && 4021 Old->hasPrototype() && !New->hasPrototype() && 4022 New->getType()->getAs<FunctionProtoType>() && 4023 Old->getNumParams() == New->getNumParams()) { 4024 SmallVector<QualType, 16> ArgTypes; 4025 SmallVector<GNUCompatibleParamWarning, 16> Warnings; 4026 const FunctionProtoType *OldProto 4027 = Old->getType()->getAs<FunctionProtoType>(); 4028 const FunctionProtoType *NewProto 4029 = New->getType()->getAs<FunctionProtoType>(); 4030 4031 // Determine whether this is the GNU C extension. 4032 QualType MergedReturn = Context.mergeTypes(OldProto->getReturnType(), 4033 NewProto->getReturnType()); 4034 bool LooseCompatible = !MergedReturn.isNull(); 4035 for (unsigned Idx = 0, End = Old->getNumParams(); 4036 LooseCompatible && Idx != End; ++Idx) { 4037 ParmVarDecl *OldParm = Old->getParamDecl(Idx); 4038 ParmVarDecl *NewParm = New->getParamDecl(Idx); 4039 if (Context.typesAreCompatible(OldParm->getType(), 4040 NewProto->getParamType(Idx))) { 4041 ArgTypes.push_back(NewParm->getType()); 4042 } else if (Context.typesAreCompatible(OldParm->getType(), 4043 NewParm->getType(), 4044 /*CompareUnqualified=*/true)) { 4045 GNUCompatibleParamWarning Warn = { OldParm, NewParm, 4046 NewProto->getParamType(Idx) }; 4047 Warnings.push_back(Warn); 4048 ArgTypes.push_back(NewParm->getType()); 4049 } else 4050 LooseCompatible = false; 4051 } 4052 4053 if (LooseCompatible) { 4054 for (unsigned Warn = 0; Warn < Warnings.size(); ++Warn) { 4055 Diag(Warnings[Warn].NewParm->getLocation(), 4056 diag::ext_param_promoted_not_compatible_with_prototype) 4057 << Warnings[Warn].PromotedType 4058 << Warnings[Warn].OldParm->getType(); 4059 if (Warnings[Warn].OldParm->getLocation().isValid()) 4060 Diag(Warnings[Warn].OldParm->getLocation(), 4061 diag::note_previous_declaration); 4062 } 4063 4064 if (MergeTypeWithOld) 4065 New->setType(Context.getFunctionType(MergedReturn, ArgTypes, 4066 OldProto->getExtProtoInfo())); 4067 return MergeCompatibleFunctionDecls(New, Old, S, MergeTypeWithOld); 4068 } 4069 4070 // Fall through to diagnose conflicting types. 4071 } 4072 4073 // A function that has already been declared has been redeclared or 4074 // defined with a different type; show an appropriate diagnostic. 4075 4076 // If the previous declaration was an implicitly-generated builtin 4077 // declaration, then at the very least we should use a specialized note. 4078 unsigned BuiltinID; 4079 if (Old->isImplicit() && (BuiltinID = Old->getBuiltinID())) { 4080 // If it's actually a library-defined builtin function like 'malloc' 4081 // or 'printf', just warn about the incompatible redeclaration. 4082 if (Context.BuiltinInfo.isPredefinedLibFunction(BuiltinID)) { 4083 Diag(New->getLocation(), diag::warn_redecl_library_builtin) << New; 4084 Diag(OldLocation, diag::note_previous_builtin_declaration) 4085 << Old << Old->getType(); 4086 return false; 4087 } 4088 4089 PrevDiag = diag::note_previous_builtin_declaration; 4090 } 4091 4092 Diag(New->getLocation(), diag::err_conflicting_types) << New->getDeclName(); 4093 Diag(OldLocation, PrevDiag) << Old << Old->getType(); 4094 return true; 4095 } 4096 4097 /// Completes the merge of two function declarations that are 4098 /// known to be compatible. 4099 /// 4100 /// This routine handles the merging of attributes and other 4101 /// properties of function declarations from the old declaration to 4102 /// the new declaration, once we know that New is in fact a 4103 /// redeclaration of Old. 4104 /// 4105 /// \returns false 4106 bool Sema::MergeCompatibleFunctionDecls(FunctionDecl *New, FunctionDecl *Old, 4107 Scope *S, bool MergeTypeWithOld) { 4108 // Merge the attributes 4109 mergeDeclAttributes(New, Old); 4110 4111 // Merge "pure" flag. 4112 if (Old->isPure()) 4113 New->setPure(); 4114 4115 // Merge "used" flag. 4116 if (Old->getMostRecentDecl()->isUsed(false)) 4117 New->setIsUsed(); 4118 4119 // Merge attributes from the parameters. These can mismatch with K&R 4120 // declarations. 4121 if (New->getNumParams() == Old->getNumParams()) 4122 for (unsigned i = 0, e = New->getNumParams(); i != e; ++i) { 4123 ParmVarDecl *NewParam = New->getParamDecl(i); 4124 ParmVarDecl *OldParam = Old->getParamDecl(i); 4125 mergeParamDeclAttributes(NewParam, OldParam, *this); 4126 mergeParamDeclTypes(NewParam, OldParam, *this); 4127 } 4128 4129 if (getLangOpts().CPlusPlus) 4130 return MergeCXXFunctionDecl(New, Old, S); 4131 4132 // Merge the function types so the we get the composite types for the return 4133 // and argument types. Per C11 6.2.7/4, only update the type if the old decl 4134 // was visible. 4135 QualType Merged = Context.mergeTypes(Old->getType(), New->getType()); 4136 if (!Merged.isNull() && MergeTypeWithOld) 4137 New->setType(Merged); 4138 4139 return false; 4140 } 4141 4142 void Sema::mergeObjCMethodDecls(ObjCMethodDecl *newMethod, 4143 ObjCMethodDecl *oldMethod) { 4144 // Merge the attributes, including deprecated/unavailable 4145 AvailabilityMergeKind MergeKind = 4146 isa<ObjCProtocolDecl>(oldMethod->getDeclContext()) 4147 ? (oldMethod->isOptional() ? AMK_OptionalProtocolImplementation 4148 : AMK_ProtocolImplementation) 4149 : isa<ObjCImplDecl>(newMethod->getDeclContext()) ? AMK_Redeclaration 4150 : AMK_Override; 4151 4152 mergeDeclAttributes(newMethod, oldMethod, MergeKind); 4153 4154 // Merge attributes from the parameters. 4155 ObjCMethodDecl::param_const_iterator oi = oldMethod->param_begin(), 4156 oe = oldMethod->param_end(); 4157 for (ObjCMethodDecl::param_iterator 4158 ni = newMethod->param_begin(), ne = newMethod->param_end(); 4159 ni != ne && oi != oe; ++ni, ++oi) 4160 mergeParamDeclAttributes(*ni, *oi, *this); 4161 4162 CheckObjCMethodOverride(newMethod, oldMethod); 4163 } 4164 4165 static void diagnoseVarDeclTypeMismatch(Sema &S, VarDecl *New, VarDecl* Old) { 4166 assert(!S.Context.hasSameType(New->getType(), Old->getType())); 4167 4168 S.Diag(New->getLocation(), New->isThisDeclarationADefinition() 4169 ? diag::err_redefinition_different_type 4170 : diag::err_redeclaration_different_type) 4171 << New->getDeclName() << New->getType() << Old->getType(); 4172 4173 diag::kind PrevDiag; 4174 SourceLocation OldLocation; 4175 std::tie(PrevDiag, OldLocation) 4176 = getNoteDiagForInvalidRedeclaration(Old, New); 4177 S.Diag(OldLocation, PrevDiag); 4178 New->setInvalidDecl(); 4179 } 4180 4181 /// MergeVarDeclTypes - We parsed a variable 'New' which has the same name and 4182 /// scope as a previous declaration 'Old'. Figure out how to merge their types, 4183 /// emitting diagnostics as appropriate. 4184 /// 4185 /// Declarations using the auto type specifier (C++ [decl.spec.auto]) call back 4186 /// to here in AddInitializerToDecl. We can't check them before the initializer 4187 /// is attached. 4188 void Sema::MergeVarDeclTypes(VarDecl *New, VarDecl *Old, 4189 bool MergeTypeWithOld) { 4190 if (New->isInvalidDecl() || Old->isInvalidDecl()) 4191 return; 4192 4193 QualType MergedT; 4194 if (getLangOpts().CPlusPlus) { 4195 if (New->getType()->isUndeducedType()) { 4196 // We don't know what the new type is until the initializer is attached. 4197 return; 4198 } else if (Context.hasSameType(New->getType(), Old->getType())) { 4199 // These could still be something that needs exception specs checked. 4200 return MergeVarDeclExceptionSpecs(New, Old); 4201 } 4202 // C++ [basic.link]p10: 4203 // [...] the types specified by all declarations referring to a given 4204 // object or function shall be identical, except that declarations for an 4205 // array object can specify array types that differ by the presence or 4206 // absence of a major array bound (8.3.4). 4207 else if (Old->getType()->isArrayType() && New->getType()->isArrayType()) { 4208 const ArrayType *OldArray = Context.getAsArrayType(Old->getType()); 4209 const ArrayType *NewArray = Context.getAsArrayType(New->getType()); 4210 4211 // We are merging a variable declaration New into Old. If it has an array 4212 // bound, and that bound differs from Old's bound, we should diagnose the 4213 // mismatch. 4214 if (!NewArray->isIncompleteArrayType() && !NewArray->isDependentType()) { 4215 for (VarDecl *PrevVD = Old->getMostRecentDecl(); PrevVD; 4216 PrevVD = PrevVD->getPreviousDecl()) { 4217 QualType PrevVDTy = PrevVD->getType(); 4218 if (PrevVDTy->isIncompleteArrayType() || PrevVDTy->isDependentType()) 4219 continue; 4220 4221 if (!Context.hasSameType(New->getType(), PrevVDTy)) 4222 return diagnoseVarDeclTypeMismatch(*this, New, PrevVD); 4223 } 4224 } 4225 4226 if (OldArray->isIncompleteArrayType() && NewArray->isArrayType()) { 4227 if (Context.hasSameType(OldArray->getElementType(), 4228 NewArray->getElementType())) 4229 MergedT = New->getType(); 4230 } 4231 // FIXME: Check visibility. New is hidden but has a complete type. If New 4232 // has no array bound, it should not inherit one from Old, if Old is not 4233 // visible. 4234 else if (OldArray->isArrayType() && NewArray->isIncompleteArrayType()) { 4235 if (Context.hasSameType(OldArray->getElementType(), 4236 NewArray->getElementType())) 4237 MergedT = Old->getType(); 4238 } 4239 } 4240 else if (New->getType()->isObjCObjectPointerType() && 4241 Old->getType()->isObjCObjectPointerType()) { 4242 MergedT = Context.mergeObjCGCQualifiers(New->getType(), 4243 Old->getType()); 4244 } 4245 } else { 4246 // C 6.2.7p2: 4247 // All declarations that refer to the same object or function shall have 4248 // compatible type. 4249 MergedT = Context.mergeTypes(New->getType(), Old->getType()); 4250 } 4251 if (MergedT.isNull()) { 4252 // It's OK if we couldn't merge types if either type is dependent, for a 4253 // block-scope variable. In other cases (static data members of class 4254 // templates, variable templates, ...), we require the types to be 4255 // equivalent. 4256 // FIXME: The C++ standard doesn't say anything about this. 4257 if ((New->getType()->isDependentType() || 4258 Old->getType()->isDependentType()) && New->isLocalVarDecl()) { 4259 // If the old type was dependent, we can't merge with it, so the new type 4260 // becomes dependent for now. We'll reproduce the original type when we 4261 // instantiate the TypeSourceInfo for the variable. 4262 if (!New->getType()->isDependentType() && MergeTypeWithOld) 4263 New->setType(Context.DependentTy); 4264 return; 4265 } 4266 return diagnoseVarDeclTypeMismatch(*this, New, Old); 4267 } 4268 4269 // Don't actually update the type on the new declaration if the old 4270 // declaration was an extern declaration in a different scope. 4271 if (MergeTypeWithOld) 4272 New->setType(MergedT); 4273 } 4274 4275 static bool mergeTypeWithPrevious(Sema &S, VarDecl *NewVD, VarDecl *OldVD, 4276 LookupResult &Previous) { 4277 // C11 6.2.7p4: 4278 // For an identifier with internal or external linkage declared 4279 // in a scope in which a prior declaration of that identifier is 4280 // visible, if the prior declaration specifies internal or 4281 // external linkage, the type of the identifier at the later 4282 // declaration becomes the composite type. 4283 // 4284 // If the variable isn't visible, we do not merge with its type. 4285 if (Previous.isShadowed()) 4286 return false; 4287 4288 if (S.getLangOpts().CPlusPlus) { 4289 // C++11 [dcl.array]p3: 4290 // If there is a preceding declaration of the entity in the same 4291 // scope in which the bound was specified, an omitted array bound 4292 // is taken to be the same as in that earlier declaration. 4293 return NewVD->isPreviousDeclInSameBlockScope() || 4294 (!OldVD->getLexicalDeclContext()->isFunctionOrMethod() && 4295 !NewVD->getLexicalDeclContext()->isFunctionOrMethod()); 4296 } else { 4297 // If the old declaration was function-local, don't merge with its 4298 // type unless we're in the same function. 4299 return !OldVD->getLexicalDeclContext()->isFunctionOrMethod() || 4300 OldVD->getLexicalDeclContext() == NewVD->getLexicalDeclContext(); 4301 } 4302 } 4303 4304 /// MergeVarDecl - We just parsed a variable 'New' which has the same name 4305 /// and scope as a previous declaration 'Old'. Figure out how to resolve this 4306 /// situation, merging decls or emitting diagnostics as appropriate. 4307 /// 4308 /// Tentative definition rules (C99 6.9.2p2) are checked by 4309 /// FinalizeDeclaratorGroup. Unfortunately, we can't analyze tentative 4310 /// definitions here, since the initializer hasn't been attached. 4311 /// 4312 void Sema::MergeVarDecl(VarDecl *New, LookupResult &Previous) { 4313 // If the new decl is already invalid, don't do any other checking. 4314 if (New->isInvalidDecl()) 4315 return; 4316 4317 if (!shouldLinkPossiblyHiddenDecl(Previous, New)) 4318 return; 4319 4320 VarTemplateDecl *NewTemplate = New->getDescribedVarTemplate(); 4321 4322 // Verify the old decl was also a variable or variable template. 4323 VarDecl *Old = nullptr; 4324 VarTemplateDecl *OldTemplate = nullptr; 4325 if (Previous.isSingleResult()) { 4326 if (NewTemplate) { 4327 OldTemplate = dyn_cast<VarTemplateDecl>(Previous.getFoundDecl()); 4328 Old = OldTemplate ? OldTemplate->getTemplatedDecl() : nullptr; 4329 4330 if (auto *Shadow = 4331 dyn_cast<UsingShadowDecl>(Previous.getRepresentativeDecl())) 4332 if (checkUsingShadowRedecl<VarTemplateDecl>(*this, Shadow, NewTemplate)) 4333 return New->setInvalidDecl(); 4334 } else { 4335 Old = dyn_cast<VarDecl>(Previous.getFoundDecl()); 4336 4337 if (auto *Shadow = 4338 dyn_cast<UsingShadowDecl>(Previous.getRepresentativeDecl())) 4339 if (checkUsingShadowRedecl<VarDecl>(*this, Shadow, New)) 4340 return New->setInvalidDecl(); 4341 } 4342 } 4343 if (!Old) { 4344 Diag(New->getLocation(), diag::err_redefinition_different_kind) 4345 << New->getDeclName(); 4346 notePreviousDefinition(Previous.getRepresentativeDecl(), 4347 New->getLocation()); 4348 return New->setInvalidDecl(); 4349 } 4350 4351 // If the old declaration was found in an inline namespace and the new 4352 // declaration was qualified, update the DeclContext to match. 4353 adjustDeclContextForDeclaratorDecl(New, Old); 4354 4355 // Ensure the template parameters are compatible. 4356 if (NewTemplate && 4357 !TemplateParameterListsAreEqual(NewTemplate->getTemplateParameters(), 4358 OldTemplate->getTemplateParameters(), 4359 /*Complain=*/true, TPL_TemplateMatch)) 4360 return New->setInvalidDecl(); 4361 4362 // C++ [class.mem]p1: 4363 // A member shall not be declared twice in the member-specification [...] 4364 // 4365 // Here, we need only consider static data members. 4366 if (Old->isStaticDataMember() && !New->isOutOfLine()) { 4367 Diag(New->getLocation(), diag::err_duplicate_member) 4368 << New->getIdentifier(); 4369 Diag(Old->getLocation(), diag::note_previous_declaration); 4370 New->setInvalidDecl(); 4371 } 4372 4373 mergeDeclAttributes(New, Old); 4374 // Warn if an already-declared variable is made a weak_import in a subsequent 4375 // declaration 4376 if (New->hasAttr<WeakImportAttr>() && 4377 Old->getStorageClass() == SC_None && 4378 !Old->hasAttr<WeakImportAttr>()) { 4379 Diag(New->getLocation(), diag::warn_weak_import) << New->getDeclName(); 4380 Diag(Old->getLocation(), diag::note_previous_declaration); 4381 // Remove weak_import attribute on new declaration. 4382 New->dropAttr<WeakImportAttr>(); 4383 } 4384 4385 if (const auto *ILA = New->getAttr<InternalLinkageAttr>()) 4386 if (!Old->hasAttr<InternalLinkageAttr>()) { 4387 Diag(New->getLocation(), diag::err_attribute_missing_on_first_decl) 4388 << ILA; 4389 Diag(Old->getLocation(), diag::note_previous_declaration); 4390 New->dropAttr<InternalLinkageAttr>(); 4391 } 4392 4393 // Merge the types. 4394 VarDecl *MostRecent = Old->getMostRecentDecl(); 4395 if (MostRecent != Old) { 4396 MergeVarDeclTypes(New, MostRecent, 4397 mergeTypeWithPrevious(*this, New, MostRecent, Previous)); 4398 if (New->isInvalidDecl()) 4399 return; 4400 } 4401 4402 MergeVarDeclTypes(New, Old, mergeTypeWithPrevious(*this, New, Old, Previous)); 4403 if (New->isInvalidDecl()) 4404 return; 4405 4406 diag::kind PrevDiag; 4407 SourceLocation OldLocation; 4408 std::tie(PrevDiag, OldLocation) = 4409 getNoteDiagForInvalidRedeclaration(Old, New); 4410 4411 // [dcl.stc]p8: Check if we have a non-static decl followed by a static. 4412 if (New->getStorageClass() == SC_Static && 4413 !New->isStaticDataMember() && 4414 Old->hasExternalFormalLinkage()) { 4415 if (getLangOpts().MicrosoftExt) { 4416 Diag(New->getLocation(), diag::ext_static_non_static) 4417 << New->getDeclName(); 4418 Diag(OldLocation, PrevDiag); 4419 } else { 4420 Diag(New->getLocation(), diag::err_static_non_static) 4421 << New->getDeclName(); 4422 Diag(OldLocation, PrevDiag); 4423 return New->setInvalidDecl(); 4424 } 4425 } 4426 // C99 6.2.2p4: 4427 // For an identifier declared with the storage-class specifier 4428 // extern in a scope in which a prior declaration of that 4429 // identifier is visible,23) if the prior declaration specifies 4430 // internal or external linkage, the linkage of the identifier at 4431 // the later declaration is the same as the linkage specified at 4432 // the prior declaration. If no prior declaration is visible, or 4433 // if the prior declaration specifies no linkage, then the 4434 // identifier has external linkage. 4435 if (New->hasExternalStorage() && Old->hasLinkage()) 4436 /* Okay */; 4437 else if (New->getCanonicalDecl()->getStorageClass() != SC_Static && 4438 !New->isStaticDataMember() && 4439 Old->getCanonicalDecl()->getStorageClass() == SC_Static) { 4440 Diag(New->getLocation(), diag::err_non_static_static) << New->getDeclName(); 4441 Diag(OldLocation, PrevDiag); 4442 return New->setInvalidDecl(); 4443 } 4444 4445 // Check if extern is followed by non-extern and vice-versa. 4446 if (New->hasExternalStorage() && 4447 !Old->hasLinkage() && Old->isLocalVarDeclOrParm()) { 4448 Diag(New->getLocation(), diag::err_extern_non_extern) << New->getDeclName(); 4449 Diag(OldLocation, PrevDiag); 4450 return New->setInvalidDecl(); 4451 } 4452 if (Old->hasLinkage() && New->isLocalVarDeclOrParm() && 4453 !New->hasExternalStorage()) { 4454 Diag(New->getLocation(), diag::err_non_extern_extern) << New->getDeclName(); 4455 Diag(OldLocation, PrevDiag); 4456 return New->setInvalidDecl(); 4457 } 4458 4459 if (CheckRedeclarationInModule(New, Old)) 4460 return; 4461 4462 // Variables with external linkage are analyzed in FinalizeDeclaratorGroup. 4463 4464 // FIXME: The test for external storage here seems wrong? We still 4465 // need to check for mismatches. 4466 if (!New->hasExternalStorage() && !New->isFileVarDecl() && 4467 // Don't complain about out-of-line definitions of static members. 4468 !(Old->getLexicalDeclContext()->isRecord() && 4469 !New->getLexicalDeclContext()->isRecord())) { 4470 Diag(New->getLocation(), diag::err_redefinition) << New->getDeclName(); 4471 Diag(OldLocation, PrevDiag); 4472 return New->setInvalidDecl(); 4473 } 4474 4475 if (New->isInline() && !Old->getMostRecentDecl()->isInline()) { 4476 if (VarDecl *Def = Old->getDefinition()) { 4477 // C++1z [dcl.fcn.spec]p4: 4478 // If the definition of a variable appears in a translation unit before 4479 // its first declaration as inline, the program is ill-formed. 4480 Diag(New->getLocation(), diag::err_inline_decl_follows_def) << New; 4481 Diag(Def->getLocation(), diag::note_previous_definition); 4482 } 4483 } 4484 4485 // If this redeclaration makes the variable inline, we may need to add it to 4486 // UndefinedButUsed. 4487 if (!Old->isInline() && New->isInline() && Old->isUsed(false) && 4488 !Old->getDefinition() && !New->isThisDeclarationADefinition()) 4489 UndefinedButUsed.insert(std::make_pair(Old->getCanonicalDecl(), 4490 SourceLocation())); 4491 4492 if (New->getTLSKind() != Old->getTLSKind()) { 4493 if (!Old->getTLSKind()) { 4494 Diag(New->getLocation(), diag::err_thread_non_thread) << New->getDeclName(); 4495 Diag(OldLocation, PrevDiag); 4496 } else if (!New->getTLSKind()) { 4497 Diag(New->getLocation(), diag::err_non_thread_thread) << New->getDeclName(); 4498 Diag(OldLocation, PrevDiag); 4499 } else { 4500 // Do not allow redeclaration to change the variable between requiring 4501 // static and dynamic initialization. 4502 // FIXME: GCC allows this, but uses the TLS keyword on the first 4503 // declaration to determine the kind. Do we need to be compatible here? 4504 Diag(New->getLocation(), diag::err_thread_thread_different_kind) 4505 << New->getDeclName() << (New->getTLSKind() == VarDecl::TLS_Dynamic); 4506 Diag(OldLocation, PrevDiag); 4507 } 4508 } 4509 4510 // C++ doesn't have tentative definitions, so go right ahead and check here. 4511 if (getLangOpts().CPlusPlus) { 4512 if (Old->isStaticDataMember() && Old->getCanonicalDecl()->isInline() && 4513 Old->getCanonicalDecl()->isConstexpr()) { 4514 // This definition won't be a definition any more once it's been merged. 4515 Diag(New->getLocation(), 4516 diag::warn_deprecated_redundant_constexpr_static_def); 4517 } else if (New->isThisDeclarationADefinition() == VarDecl::Definition) { 4518 VarDecl *Def = Old->getDefinition(); 4519 if (Def && checkVarDeclRedefinition(Def, New)) 4520 return; 4521 } 4522 } 4523 4524 if (haveIncompatibleLanguageLinkages(Old, New)) { 4525 Diag(New->getLocation(), diag::err_different_language_linkage) << New; 4526 Diag(OldLocation, PrevDiag); 4527 New->setInvalidDecl(); 4528 return; 4529 } 4530 4531 // Merge "used" flag. 4532 if (Old->getMostRecentDecl()->isUsed(false)) 4533 New->setIsUsed(); 4534 4535 // Keep a chain of previous declarations. 4536 New->setPreviousDecl(Old); 4537 if (NewTemplate) 4538 NewTemplate->setPreviousDecl(OldTemplate); 4539 4540 // Inherit access appropriately. 4541 New->setAccess(Old->getAccess()); 4542 if (NewTemplate) 4543 NewTemplate->setAccess(New->getAccess()); 4544 4545 if (Old->isInline()) 4546 New->setImplicitlyInline(); 4547 } 4548 4549 void Sema::notePreviousDefinition(const NamedDecl *Old, SourceLocation New) { 4550 SourceManager &SrcMgr = getSourceManager(); 4551 auto FNewDecLoc = SrcMgr.getDecomposedLoc(New); 4552 auto FOldDecLoc = SrcMgr.getDecomposedLoc(Old->getLocation()); 4553 auto *FNew = SrcMgr.getFileEntryForID(FNewDecLoc.first); 4554 auto *FOld = SrcMgr.getFileEntryForID(FOldDecLoc.first); 4555 auto &HSI = PP.getHeaderSearchInfo(); 4556 StringRef HdrFilename = 4557 SrcMgr.getFilename(SrcMgr.getSpellingLoc(Old->getLocation())); 4558 4559 auto noteFromModuleOrInclude = [&](Module *Mod, 4560 SourceLocation IncLoc) -> bool { 4561 // Redefinition errors with modules are common with non modular mapped 4562 // headers, example: a non-modular header H in module A that also gets 4563 // included directly in a TU. Pointing twice to the same header/definition 4564 // is confusing, try to get better diagnostics when modules is on. 4565 if (IncLoc.isValid()) { 4566 if (Mod) { 4567 Diag(IncLoc, diag::note_redefinition_modules_same_file) 4568 << HdrFilename.str() << Mod->getFullModuleName(); 4569 if (!Mod->DefinitionLoc.isInvalid()) 4570 Diag(Mod->DefinitionLoc, diag::note_defined_here) 4571 << Mod->getFullModuleName(); 4572 } else { 4573 Diag(IncLoc, diag::note_redefinition_include_same_file) 4574 << HdrFilename.str(); 4575 } 4576 return true; 4577 } 4578 4579 return false; 4580 }; 4581 4582 // Is it the same file and same offset? Provide more information on why 4583 // this leads to a redefinition error. 4584 if (FNew == FOld && FNewDecLoc.second == FOldDecLoc.second) { 4585 SourceLocation OldIncLoc = SrcMgr.getIncludeLoc(FOldDecLoc.first); 4586 SourceLocation NewIncLoc = SrcMgr.getIncludeLoc(FNewDecLoc.first); 4587 bool EmittedDiag = 4588 noteFromModuleOrInclude(Old->getOwningModule(), OldIncLoc); 4589 EmittedDiag |= noteFromModuleOrInclude(getCurrentModule(), NewIncLoc); 4590 4591 // If the header has no guards, emit a note suggesting one. 4592 if (FOld && !HSI.isFileMultipleIncludeGuarded(FOld)) 4593 Diag(Old->getLocation(), diag::note_use_ifdef_guards); 4594 4595 if (EmittedDiag) 4596 return; 4597 } 4598 4599 // Redefinition coming from different files or couldn't do better above. 4600 if (Old->getLocation().isValid()) 4601 Diag(Old->getLocation(), diag::note_previous_definition); 4602 } 4603 4604 /// We've just determined that \p Old and \p New both appear to be definitions 4605 /// of the same variable. Either diagnose or fix the problem. 4606 bool Sema::checkVarDeclRedefinition(VarDecl *Old, VarDecl *New) { 4607 if (!hasVisibleDefinition(Old) && 4608 (New->getFormalLinkage() == InternalLinkage || 4609 New->isInline() || 4610 New->getDescribedVarTemplate() || 4611 New->getNumTemplateParameterLists() || 4612 New->getDeclContext()->isDependentContext())) { 4613 // The previous definition is hidden, and multiple definitions are 4614 // permitted (in separate TUs). Demote this to a declaration. 4615 New->demoteThisDefinitionToDeclaration(); 4616 4617 // Make the canonical definition visible. 4618 if (auto *OldTD = Old->getDescribedVarTemplate()) 4619 makeMergedDefinitionVisible(OldTD); 4620 makeMergedDefinitionVisible(Old); 4621 return false; 4622 } else { 4623 Diag(New->getLocation(), diag::err_redefinition) << New; 4624 notePreviousDefinition(Old, New->getLocation()); 4625 New->setInvalidDecl(); 4626 return true; 4627 } 4628 } 4629 4630 /// ParsedFreeStandingDeclSpec - This method is invoked when a declspec with 4631 /// no declarator (e.g. "struct foo;") is parsed. 4632 Decl * 4633 Sema::ParsedFreeStandingDeclSpec(Scope *S, AccessSpecifier AS, DeclSpec &DS, 4634 RecordDecl *&AnonRecord) { 4635 return ParsedFreeStandingDeclSpec(S, AS, DS, MultiTemplateParamsArg(), false, 4636 AnonRecord); 4637 } 4638 4639 // The MS ABI changed between VS2013 and VS2015 with regard to numbers used to 4640 // disambiguate entities defined in different scopes. 4641 // While the VS2015 ABI fixes potential miscompiles, it is also breaks 4642 // compatibility. 4643 // We will pick our mangling number depending on which version of MSVC is being 4644 // targeted. 4645 static unsigned getMSManglingNumber(const LangOptions &LO, Scope *S) { 4646 return LO.isCompatibleWithMSVC(LangOptions::MSVC2015) 4647 ? S->getMSCurManglingNumber() 4648 : S->getMSLastManglingNumber(); 4649 } 4650 4651 void Sema::handleTagNumbering(const TagDecl *Tag, Scope *TagScope) { 4652 if (!Context.getLangOpts().CPlusPlus) 4653 return; 4654 4655 if (isa<CXXRecordDecl>(Tag->getParent())) { 4656 // If this tag is the direct child of a class, number it if 4657 // it is anonymous. 4658 if (!Tag->getName().empty() || Tag->getTypedefNameForAnonDecl()) 4659 return; 4660 MangleNumberingContext &MCtx = 4661 Context.getManglingNumberContext(Tag->getParent()); 4662 Context.setManglingNumber( 4663 Tag, MCtx.getManglingNumber( 4664 Tag, getMSManglingNumber(getLangOpts(), TagScope))); 4665 return; 4666 } 4667 4668 // If this tag isn't a direct child of a class, number it if it is local. 4669 MangleNumberingContext *MCtx; 4670 Decl *ManglingContextDecl; 4671 std::tie(MCtx, ManglingContextDecl) = 4672 getCurrentMangleNumberContext(Tag->getDeclContext()); 4673 if (MCtx) { 4674 Context.setManglingNumber( 4675 Tag, MCtx->getManglingNumber( 4676 Tag, getMSManglingNumber(getLangOpts(), TagScope))); 4677 } 4678 } 4679 4680 namespace { 4681 struct NonCLikeKind { 4682 enum { 4683 None, 4684 BaseClass, 4685 DefaultMemberInit, 4686 Lambda, 4687 Friend, 4688 OtherMember, 4689 Invalid, 4690 } Kind = None; 4691 SourceRange Range; 4692 4693 explicit operator bool() { return Kind != None; } 4694 }; 4695 } 4696 4697 /// Determine whether a class is C-like, according to the rules of C++ 4698 /// [dcl.typedef] for anonymous classes with typedef names for linkage. 4699 static NonCLikeKind getNonCLikeKindForAnonymousStruct(const CXXRecordDecl *RD) { 4700 if (RD->isInvalidDecl()) 4701 return {NonCLikeKind::Invalid, {}}; 4702 4703 // C++ [dcl.typedef]p9: [P1766R1] 4704 // An unnamed class with a typedef name for linkage purposes shall not 4705 // 4706 // -- have any base classes 4707 if (RD->getNumBases()) 4708 return {NonCLikeKind::BaseClass, 4709 SourceRange(RD->bases_begin()->getBeginLoc(), 4710 RD->bases_end()[-1].getEndLoc())}; 4711 bool Invalid = false; 4712 for (Decl *D : RD->decls()) { 4713 // Don't complain about things we already diagnosed. 4714 if (D->isInvalidDecl()) { 4715 Invalid = true; 4716 continue; 4717 } 4718 4719 // -- have any [...] default member initializers 4720 if (auto *FD = dyn_cast<FieldDecl>(D)) { 4721 if (FD->hasInClassInitializer()) { 4722 auto *Init = FD->getInClassInitializer(); 4723 return {NonCLikeKind::DefaultMemberInit, 4724 Init ? Init->getSourceRange() : D->getSourceRange()}; 4725 } 4726 continue; 4727 } 4728 4729 // FIXME: We don't allow friend declarations. This violates the wording of 4730 // P1766, but not the intent. 4731 if (isa<FriendDecl>(D)) 4732 return {NonCLikeKind::Friend, D->getSourceRange()}; 4733 4734 // -- declare any members other than non-static data members, member 4735 // enumerations, or member classes, 4736 if (isa<StaticAssertDecl>(D) || isa<IndirectFieldDecl>(D) || 4737 isa<EnumDecl>(D)) 4738 continue; 4739 auto *MemberRD = dyn_cast<CXXRecordDecl>(D); 4740 if (!MemberRD) { 4741 if (D->isImplicit()) 4742 continue; 4743 return {NonCLikeKind::OtherMember, D->getSourceRange()}; 4744 } 4745 4746 // -- contain a lambda-expression, 4747 if (MemberRD->isLambda()) 4748 return {NonCLikeKind::Lambda, MemberRD->getSourceRange()}; 4749 4750 // and all member classes shall also satisfy these requirements 4751 // (recursively). 4752 if (MemberRD->isThisDeclarationADefinition()) { 4753 if (auto Kind = getNonCLikeKindForAnonymousStruct(MemberRD)) 4754 return Kind; 4755 } 4756 } 4757 4758 return {Invalid ? NonCLikeKind::Invalid : NonCLikeKind::None, {}}; 4759 } 4760 4761 void Sema::setTagNameForLinkagePurposes(TagDecl *TagFromDeclSpec, 4762 TypedefNameDecl *NewTD) { 4763 if (TagFromDeclSpec->isInvalidDecl()) 4764 return; 4765 4766 // Do nothing if the tag already has a name for linkage purposes. 4767 if (TagFromDeclSpec->hasNameForLinkage()) 4768 return; 4769 4770 // A well-formed anonymous tag must always be a TUK_Definition. 4771 assert(TagFromDeclSpec->isThisDeclarationADefinition()); 4772 4773 // The type must match the tag exactly; no qualifiers allowed. 4774 if (!Context.hasSameType(NewTD->getUnderlyingType(), 4775 Context.getTagDeclType(TagFromDeclSpec))) { 4776 if (getLangOpts().CPlusPlus) 4777 Context.addTypedefNameForUnnamedTagDecl(TagFromDeclSpec, NewTD); 4778 return; 4779 } 4780 4781 // C++ [dcl.typedef]p9: [P1766R1, applied as DR] 4782 // An unnamed class with a typedef name for linkage purposes shall [be 4783 // C-like]. 4784 // 4785 // FIXME: Also diagnose if we've already computed the linkage. That ideally 4786 // shouldn't happen, but there are constructs that the language rule doesn't 4787 // disallow for which we can't reasonably avoid computing linkage early. 4788 const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(TagFromDeclSpec); 4789 NonCLikeKind NonCLike = RD ? getNonCLikeKindForAnonymousStruct(RD) 4790 : NonCLikeKind(); 4791 bool ChangesLinkage = TagFromDeclSpec->hasLinkageBeenComputed(); 4792 if (NonCLike || ChangesLinkage) { 4793 if (NonCLike.Kind == NonCLikeKind::Invalid) 4794 return; 4795 4796 unsigned DiagID = diag::ext_non_c_like_anon_struct_in_typedef; 4797 if (ChangesLinkage) { 4798 // If the linkage changes, we can't accept this as an extension. 4799 if (NonCLike.Kind == NonCLikeKind::None) 4800 DiagID = diag::err_typedef_changes_linkage; 4801 else 4802 DiagID = diag::err_non_c_like_anon_struct_in_typedef; 4803 } 4804 4805 SourceLocation FixitLoc = 4806 getLocForEndOfToken(TagFromDeclSpec->getInnerLocStart()); 4807 llvm::SmallString<40> TextToInsert; 4808 TextToInsert += ' '; 4809 TextToInsert += NewTD->getIdentifier()->getName(); 4810 4811 Diag(FixitLoc, DiagID) 4812 << isa<TypeAliasDecl>(NewTD) 4813 << FixItHint::CreateInsertion(FixitLoc, TextToInsert); 4814 if (NonCLike.Kind != NonCLikeKind::None) { 4815 Diag(NonCLike.Range.getBegin(), diag::note_non_c_like_anon_struct) 4816 << NonCLike.Kind - 1 << NonCLike.Range; 4817 } 4818 Diag(NewTD->getLocation(), diag::note_typedef_for_linkage_here) 4819 << NewTD << isa<TypeAliasDecl>(NewTD); 4820 4821 if (ChangesLinkage) 4822 return; 4823 } 4824 4825 // Otherwise, set this as the anon-decl typedef for the tag. 4826 TagFromDeclSpec->setTypedefNameForAnonDecl(NewTD); 4827 } 4828 4829 static unsigned GetDiagnosticTypeSpecifierID(DeclSpec::TST T) { 4830 switch (T) { 4831 case DeclSpec::TST_class: 4832 return 0; 4833 case DeclSpec::TST_struct: 4834 return 1; 4835 case DeclSpec::TST_interface: 4836 return 2; 4837 case DeclSpec::TST_union: 4838 return 3; 4839 case DeclSpec::TST_enum: 4840 return 4; 4841 default: 4842 llvm_unreachable("unexpected type specifier"); 4843 } 4844 } 4845 4846 /// ParsedFreeStandingDeclSpec - This method is invoked when a declspec with 4847 /// no declarator (e.g. "struct foo;") is parsed. It also accepts template 4848 /// parameters to cope with template friend declarations. 4849 Decl * 4850 Sema::ParsedFreeStandingDeclSpec(Scope *S, AccessSpecifier AS, DeclSpec &DS, 4851 MultiTemplateParamsArg TemplateParams, 4852 bool IsExplicitInstantiation, 4853 RecordDecl *&AnonRecord) { 4854 Decl *TagD = nullptr; 4855 TagDecl *Tag = nullptr; 4856 if (DS.getTypeSpecType() == DeclSpec::TST_class || 4857 DS.getTypeSpecType() == DeclSpec::TST_struct || 4858 DS.getTypeSpecType() == DeclSpec::TST_interface || 4859 DS.getTypeSpecType() == DeclSpec::TST_union || 4860 DS.getTypeSpecType() == DeclSpec::TST_enum) { 4861 TagD = DS.getRepAsDecl(); 4862 4863 if (!TagD) // We probably had an error 4864 return nullptr; 4865 4866 // Note that the above type specs guarantee that the 4867 // type rep is a Decl, whereas in many of the others 4868 // it's a Type. 4869 if (isa<TagDecl>(TagD)) 4870 Tag = cast<TagDecl>(TagD); 4871 else if (ClassTemplateDecl *CTD = dyn_cast<ClassTemplateDecl>(TagD)) 4872 Tag = CTD->getTemplatedDecl(); 4873 } 4874 4875 if (Tag) { 4876 handleTagNumbering(Tag, S); 4877 Tag->setFreeStanding(); 4878 if (Tag->isInvalidDecl()) 4879 return Tag; 4880 } 4881 4882 if (unsigned TypeQuals = DS.getTypeQualifiers()) { 4883 // Enforce C99 6.7.3p2: "Types other than pointer types derived from object 4884 // or incomplete types shall not be restrict-qualified." 4885 if (TypeQuals & DeclSpec::TQ_restrict) 4886 Diag(DS.getRestrictSpecLoc(), 4887 diag::err_typecheck_invalid_restrict_not_pointer_noarg) 4888 << DS.getSourceRange(); 4889 } 4890 4891 if (DS.isInlineSpecified()) 4892 Diag(DS.getInlineSpecLoc(), diag::err_inline_non_function) 4893 << getLangOpts().CPlusPlus17; 4894 4895 if (DS.hasConstexprSpecifier()) { 4896 // C++0x [dcl.constexpr]p1: constexpr can only be applied to declarations 4897 // and definitions of functions and variables. 4898 // C++2a [dcl.constexpr]p1: The consteval specifier shall be applied only to 4899 // the declaration of a function or function template 4900 if (Tag) 4901 Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_tag) 4902 << GetDiagnosticTypeSpecifierID(DS.getTypeSpecType()) 4903 << static_cast<int>(DS.getConstexprSpecifier()); 4904 else 4905 Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_wrong_decl_kind) 4906 << static_cast<int>(DS.getConstexprSpecifier()); 4907 // Don't emit warnings after this error. 4908 return TagD; 4909 } 4910 4911 DiagnoseFunctionSpecifiers(DS); 4912 4913 if (DS.isFriendSpecified()) { 4914 // If we're dealing with a decl but not a TagDecl, assume that 4915 // whatever routines created it handled the friendship aspect. 4916 if (TagD && !Tag) 4917 return nullptr; 4918 return ActOnFriendTypeDecl(S, DS, TemplateParams); 4919 } 4920 4921 const CXXScopeSpec &SS = DS.getTypeSpecScope(); 4922 bool IsExplicitSpecialization = 4923 !TemplateParams.empty() && TemplateParams.back()->size() == 0; 4924 if (Tag && SS.isNotEmpty() && !Tag->isCompleteDefinition() && 4925 !IsExplicitInstantiation && !IsExplicitSpecialization && 4926 !isa<ClassTemplatePartialSpecializationDecl>(Tag)) { 4927 // Per C++ [dcl.type.elab]p1, a class declaration cannot have a 4928 // nested-name-specifier unless it is an explicit instantiation 4929 // or an explicit specialization. 4930 // 4931 // FIXME: We allow class template partial specializations here too, per the 4932 // obvious intent of DR1819. 4933 // 4934 // Per C++ [dcl.enum]p1, an opaque-enum-declaration can't either. 4935 Diag(SS.getBeginLoc(), diag::err_standalone_class_nested_name_specifier) 4936 << GetDiagnosticTypeSpecifierID(DS.getTypeSpecType()) << SS.getRange(); 4937 return nullptr; 4938 } 4939 4940 // Track whether this decl-specifier declares anything. 4941 bool DeclaresAnything = true; 4942 4943 // Handle anonymous struct definitions. 4944 if (RecordDecl *Record = dyn_cast_or_null<RecordDecl>(Tag)) { 4945 if (!Record->getDeclName() && Record->isCompleteDefinition() && 4946 DS.getStorageClassSpec() != DeclSpec::SCS_typedef) { 4947 if (getLangOpts().CPlusPlus || 4948 Record->getDeclContext()->isRecord()) { 4949 // If CurContext is a DeclContext that can contain statements, 4950 // RecursiveASTVisitor won't visit the decls that 4951 // BuildAnonymousStructOrUnion() will put into CurContext. 4952 // Also store them here so that they can be part of the 4953 // DeclStmt that gets created in this case. 4954 // FIXME: Also return the IndirectFieldDecls created by 4955 // BuildAnonymousStructOr union, for the same reason? 4956 if (CurContext->isFunctionOrMethod()) 4957 AnonRecord = Record; 4958 return BuildAnonymousStructOrUnion(S, DS, AS, Record, 4959 Context.getPrintingPolicy()); 4960 } 4961 4962 DeclaresAnything = false; 4963 } 4964 } 4965 4966 // C11 6.7.2.1p2: 4967 // A struct-declaration that does not declare an anonymous structure or 4968 // anonymous union shall contain a struct-declarator-list. 4969 // 4970 // This rule also existed in C89 and C99; the grammar for struct-declaration 4971 // did not permit a struct-declaration without a struct-declarator-list. 4972 if (!getLangOpts().CPlusPlus && CurContext->isRecord() && 4973 DS.getStorageClassSpec() == DeclSpec::SCS_unspecified) { 4974 // Check for Microsoft C extension: anonymous struct/union member. 4975 // Handle 2 kinds of anonymous struct/union: 4976 // struct STRUCT; 4977 // union UNION; 4978 // and 4979 // STRUCT_TYPE; <- where STRUCT_TYPE is a typedef struct. 4980 // UNION_TYPE; <- where UNION_TYPE is a typedef union. 4981 if ((Tag && Tag->getDeclName()) || 4982 DS.getTypeSpecType() == DeclSpec::TST_typename) { 4983 RecordDecl *Record = nullptr; 4984 if (Tag) 4985 Record = dyn_cast<RecordDecl>(Tag); 4986 else if (const RecordType *RT = 4987 DS.getRepAsType().get()->getAsStructureType()) 4988 Record = RT->getDecl(); 4989 else if (const RecordType *UT = DS.getRepAsType().get()->getAsUnionType()) 4990 Record = UT->getDecl(); 4991 4992 if (Record && getLangOpts().MicrosoftExt) { 4993 Diag(DS.getBeginLoc(), diag::ext_ms_anonymous_record) 4994 << Record->isUnion() << DS.getSourceRange(); 4995 return BuildMicrosoftCAnonymousStruct(S, DS, Record); 4996 } 4997 4998 DeclaresAnything = false; 4999 } 5000 } 5001 5002 // Skip all the checks below if we have a type error. 5003 if (DS.getTypeSpecType() == DeclSpec::TST_error || 5004 (TagD && TagD->isInvalidDecl())) 5005 return TagD; 5006 5007 if (getLangOpts().CPlusPlus && 5008 DS.getStorageClassSpec() != DeclSpec::SCS_typedef) 5009 if (EnumDecl *Enum = dyn_cast_or_null<EnumDecl>(Tag)) 5010 if (Enum->enumerator_begin() == Enum->enumerator_end() && 5011 !Enum->getIdentifier() && !Enum->isInvalidDecl()) 5012 DeclaresAnything = false; 5013 5014 if (!DS.isMissingDeclaratorOk()) { 5015 // Customize diagnostic for a typedef missing a name. 5016 if (DS.getStorageClassSpec() == DeclSpec::SCS_typedef) 5017 Diag(DS.getBeginLoc(), diag::ext_typedef_without_a_name) 5018 << DS.getSourceRange(); 5019 else 5020 DeclaresAnything = false; 5021 } 5022 5023 if (DS.isModulePrivateSpecified() && 5024 Tag && Tag->getDeclContext()->isFunctionOrMethod()) 5025 Diag(DS.getModulePrivateSpecLoc(), diag::err_module_private_local_class) 5026 << Tag->getTagKind() 5027 << FixItHint::CreateRemoval(DS.getModulePrivateSpecLoc()); 5028 5029 ActOnDocumentableDecl(TagD); 5030 5031 // C 6.7/2: 5032 // A declaration [...] shall declare at least a declarator [...], a tag, 5033 // or the members of an enumeration. 5034 // C++ [dcl.dcl]p3: 5035 // [If there are no declarators], and except for the declaration of an 5036 // unnamed bit-field, the decl-specifier-seq shall introduce one or more 5037 // names into the program, or shall redeclare a name introduced by a 5038 // previous declaration. 5039 if (!DeclaresAnything) { 5040 // In C, we allow this as a (popular) extension / bug. Don't bother 5041 // producing further diagnostics for redundant qualifiers after this. 5042 Diag(DS.getBeginLoc(), (IsExplicitInstantiation || !TemplateParams.empty()) 5043 ? diag::err_no_declarators 5044 : diag::ext_no_declarators) 5045 << DS.getSourceRange(); 5046 return TagD; 5047 } 5048 5049 // C++ [dcl.stc]p1: 5050 // If a storage-class-specifier appears in a decl-specifier-seq, [...] the 5051 // init-declarator-list of the declaration shall not be empty. 5052 // C++ [dcl.fct.spec]p1: 5053 // If a cv-qualifier appears in a decl-specifier-seq, the 5054 // init-declarator-list of the declaration shall not be empty. 5055 // 5056 // Spurious qualifiers here appear to be valid in C. 5057 unsigned DiagID = diag::warn_standalone_specifier; 5058 if (getLangOpts().CPlusPlus) 5059 DiagID = diag::ext_standalone_specifier; 5060 5061 // Note that a linkage-specification sets a storage class, but 5062 // 'extern "C" struct foo;' is actually valid and not theoretically 5063 // useless. 5064 if (DeclSpec::SCS SCS = DS.getStorageClassSpec()) { 5065 if (SCS == DeclSpec::SCS_mutable) 5066 // Since mutable is not a viable storage class specifier in C, there is 5067 // no reason to treat it as an extension. Instead, diagnose as an error. 5068 Diag(DS.getStorageClassSpecLoc(), diag::err_mutable_nonmember); 5069 else if (!DS.isExternInLinkageSpec() && SCS != DeclSpec::SCS_typedef) 5070 Diag(DS.getStorageClassSpecLoc(), DiagID) 5071 << DeclSpec::getSpecifierName(SCS); 5072 } 5073 5074 if (DeclSpec::TSCS TSCS = DS.getThreadStorageClassSpec()) 5075 Diag(DS.getThreadStorageClassSpecLoc(), DiagID) 5076 << DeclSpec::getSpecifierName(TSCS); 5077 if (DS.getTypeQualifiers()) { 5078 if (DS.getTypeQualifiers() & DeclSpec::TQ_const) 5079 Diag(DS.getConstSpecLoc(), DiagID) << "const"; 5080 if (DS.getTypeQualifiers() & DeclSpec::TQ_volatile) 5081 Diag(DS.getConstSpecLoc(), DiagID) << "volatile"; 5082 // Restrict is covered above. 5083 if (DS.getTypeQualifiers() & DeclSpec::TQ_atomic) 5084 Diag(DS.getAtomicSpecLoc(), DiagID) << "_Atomic"; 5085 if (DS.getTypeQualifiers() & DeclSpec::TQ_unaligned) 5086 Diag(DS.getUnalignedSpecLoc(), DiagID) << "__unaligned"; 5087 } 5088 5089 // Warn about ignored type attributes, for example: 5090 // __attribute__((aligned)) struct A; 5091 // Attributes should be placed after tag to apply to type declaration. 5092 if (!DS.getAttributes().empty()) { 5093 DeclSpec::TST TypeSpecType = DS.getTypeSpecType(); 5094 if (TypeSpecType == DeclSpec::TST_class || 5095 TypeSpecType == DeclSpec::TST_struct || 5096 TypeSpecType == DeclSpec::TST_interface || 5097 TypeSpecType == DeclSpec::TST_union || 5098 TypeSpecType == DeclSpec::TST_enum) { 5099 for (const ParsedAttr &AL : DS.getAttributes()) 5100 Diag(AL.getLoc(), diag::warn_declspec_attribute_ignored) 5101 << AL << GetDiagnosticTypeSpecifierID(TypeSpecType); 5102 } 5103 } 5104 5105 return TagD; 5106 } 5107 5108 /// We are trying to inject an anonymous member into the given scope; 5109 /// check if there's an existing declaration that can't be overloaded. 5110 /// 5111 /// \return true if this is a forbidden redeclaration 5112 static bool CheckAnonMemberRedeclaration(Sema &SemaRef, 5113 Scope *S, 5114 DeclContext *Owner, 5115 DeclarationName Name, 5116 SourceLocation NameLoc, 5117 bool IsUnion) { 5118 LookupResult R(SemaRef, Name, NameLoc, Sema::LookupMemberName, 5119 Sema::ForVisibleRedeclaration); 5120 if (!SemaRef.LookupName(R, S)) return false; 5121 5122 // Pick a representative declaration. 5123 NamedDecl *PrevDecl = R.getRepresentativeDecl()->getUnderlyingDecl(); 5124 assert(PrevDecl && "Expected a non-null Decl"); 5125 5126 if (!SemaRef.isDeclInScope(PrevDecl, Owner, S)) 5127 return false; 5128 5129 SemaRef.Diag(NameLoc, diag::err_anonymous_record_member_redecl) 5130 << IsUnion << Name; 5131 SemaRef.Diag(PrevDecl->getLocation(), diag::note_previous_declaration); 5132 5133 return true; 5134 } 5135 5136 /// InjectAnonymousStructOrUnionMembers - Inject the members of the 5137 /// anonymous struct or union AnonRecord into the owning context Owner 5138 /// and scope S. This routine will be invoked just after we realize 5139 /// that an unnamed union or struct is actually an anonymous union or 5140 /// struct, e.g., 5141 /// 5142 /// @code 5143 /// union { 5144 /// int i; 5145 /// float f; 5146 /// }; // InjectAnonymousStructOrUnionMembers called here to inject i and 5147 /// // f into the surrounding scope.x 5148 /// @endcode 5149 /// 5150 /// This routine is recursive, injecting the names of nested anonymous 5151 /// structs/unions into the owning context and scope as well. 5152 static bool 5153 InjectAnonymousStructOrUnionMembers(Sema &SemaRef, Scope *S, DeclContext *Owner, 5154 RecordDecl *AnonRecord, AccessSpecifier AS, 5155 SmallVectorImpl<NamedDecl *> &Chaining) { 5156 bool Invalid = false; 5157 5158 // Look every FieldDecl and IndirectFieldDecl with a name. 5159 for (auto *D : AnonRecord->decls()) { 5160 if ((isa<FieldDecl>(D) || isa<IndirectFieldDecl>(D)) && 5161 cast<NamedDecl>(D)->getDeclName()) { 5162 ValueDecl *VD = cast<ValueDecl>(D); 5163 if (CheckAnonMemberRedeclaration(SemaRef, S, Owner, VD->getDeclName(), 5164 VD->getLocation(), 5165 AnonRecord->isUnion())) { 5166 // C++ [class.union]p2: 5167 // The names of the members of an anonymous union shall be 5168 // distinct from the names of any other entity in the 5169 // scope in which the anonymous union is declared. 5170 Invalid = true; 5171 } else { 5172 // C++ [class.union]p2: 5173 // For the purpose of name lookup, after the anonymous union 5174 // definition, the members of the anonymous union are 5175 // considered to have been defined in the scope in which the 5176 // anonymous union is declared. 5177 unsigned OldChainingSize = Chaining.size(); 5178 if (IndirectFieldDecl *IF = dyn_cast<IndirectFieldDecl>(VD)) 5179 Chaining.append(IF->chain_begin(), IF->chain_end()); 5180 else 5181 Chaining.push_back(VD); 5182 5183 assert(Chaining.size() >= 2); 5184 NamedDecl **NamedChain = 5185 new (SemaRef.Context)NamedDecl*[Chaining.size()]; 5186 for (unsigned i = 0; i < Chaining.size(); i++) 5187 NamedChain[i] = Chaining[i]; 5188 5189 IndirectFieldDecl *IndirectField = IndirectFieldDecl::Create( 5190 SemaRef.Context, Owner, VD->getLocation(), VD->getIdentifier(), 5191 VD->getType(), {NamedChain, Chaining.size()}); 5192 5193 for (const auto *Attr : VD->attrs()) 5194 IndirectField->addAttr(Attr->clone(SemaRef.Context)); 5195 5196 IndirectField->setAccess(AS); 5197 IndirectField->setImplicit(); 5198 SemaRef.PushOnScopeChains(IndirectField, S); 5199 5200 // That includes picking up the appropriate access specifier. 5201 if (AS != AS_none) IndirectField->setAccess(AS); 5202 5203 Chaining.resize(OldChainingSize); 5204 } 5205 } 5206 } 5207 5208 return Invalid; 5209 } 5210 5211 /// StorageClassSpecToVarDeclStorageClass - Maps a DeclSpec::SCS to 5212 /// a VarDecl::StorageClass. Any error reporting is up to the caller: 5213 /// illegal input values are mapped to SC_None. 5214 static StorageClass 5215 StorageClassSpecToVarDeclStorageClass(const DeclSpec &DS) { 5216 DeclSpec::SCS StorageClassSpec = DS.getStorageClassSpec(); 5217 assert(StorageClassSpec != DeclSpec::SCS_typedef && 5218 "Parser allowed 'typedef' as storage class VarDecl."); 5219 switch (StorageClassSpec) { 5220 case DeclSpec::SCS_unspecified: return SC_None; 5221 case DeclSpec::SCS_extern: 5222 if (DS.isExternInLinkageSpec()) 5223 return SC_None; 5224 return SC_Extern; 5225 case DeclSpec::SCS_static: return SC_Static; 5226 case DeclSpec::SCS_auto: return SC_Auto; 5227 case DeclSpec::SCS_register: return SC_Register; 5228 case DeclSpec::SCS_private_extern: return SC_PrivateExtern; 5229 // Illegal SCSs map to None: error reporting is up to the caller. 5230 case DeclSpec::SCS_mutable: // Fall through. 5231 case DeclSpec::SCS_typedef: return SC_None; 5232 } 5233 llvm_unreachable("unknown storage class specifier"); 5234 } 5235 5236 static SourceLocation findDefaultInitializer(const CXXRecordDecl *Record) { 5237 assert(Record->hasInClassInitializer()); 5238 5239 for (const auto *I : Record->decls()) { 5240 const auto *FD = dyn_cast<FieldDecl>(I); 5241 if (const auto *IFD = dyn_cast<IndirectFieldDecl>(I)) 5242 FD = IFD->getAnonField(); 5243 if (FD && FD->hasInClassInitializer()) 5244 return FD->getLocation(); 5245 } 5246 5247 llvm_unreachable("couldn't find in-class initializer"); 5248 } 5249 5250 static void checkDuplicateDefaultInit(Sema &S, CXXRecordDecl *Parent, 5251 SourceLocation DefaultInitLoc) { 5252 if (!Parent->isUnion() || !Parent->hasInClassInitializer()) 5253 return; 5254 5255 S.Diag(DefaultInitLoc, diag::err_multiple_mem_union_initialization); 5256 S.Diag(findDefaultInitializer(Parent), diag::note_previous_initializer) << 0; 5257 } 5258 5259 static void checkDuplicateDefaultInit(Sema &S, CXXRecordDecl *Parent, 5260 CXXRecordDecl *AnonUnion) { 5261 if (!Parent->isUnion() || !Parent->hasInClassInitializer()) 5262 return; 5263 5264 checkDuplicateDefaultInit(S, Parent, findDefaultInitializer(AnonUnion)); 5265 } 5266 5267 /// BuildAnonymousStructOrUnion - Handle the declaration of an 5268 /// anonymous structure or union. Anonymous unions are a C++ feature 5269 /// (C++ [class.union]) and a C11 feature; anonymous structures 5270 /// are a C11 feature and GNU C++ extension. 5271 Decl *Sema::BuildAnonymousStructOrUnion(Scope *S, DeclSpec &DS, 5272 AccessSpecifier AS, 5273 RecordDecl *Record, 5274 const PrintingPolicy &Policy) { 5275 DeclContext *Owner = Record->getDeclContext(); 5276 5277 // Diagnose whether this anonymous struct/union is an extension. 5278 if (Record->isUnion() && !getLangOpts().CPlusPlus && !getLangOpts().C11) 5279 Diag(Record->getLocation(), diag::ext_anonymous_union); 5280 else if (!Record->isUnion() && getLangOpts().CPlusPlus) 5281 Diag(Record->getLocation(), diag::ext_gnu_anonymous_struct); 5282 else if (!Record->isUnion() && !getLangOpts().C11) 5283 Diag(Record->getLocation(), diag::ext_c11_anonymous_struct); 5284 5285 // C and C++ require different kinds of checks for anonymous 5286 // structs/unions. 5287 bool Invalid = false; 5288 if (getLangOpts().CPlusPlus) { 5289 const char *PrevSpec = nullptr; 5290 if (Record->isUnion()) { 5291 // C++ [class.union]p6: 5292 // C++17 [class.union.anon]p2: 5293 // Anonymous unions declared in a named namespace or in the 5294 // global namespace shall be declared static. 5295 unsigned DiagID; 5296 DeclContext *OwnerScope = Owner->getRedeclContext(); 5297 if (DS.getStorageClassSpec() != DeclSpec::SCS_static && 5298 (OwnerScope->isTranslationUnit() || 5299 (OwnerScope->isNamespace() && 5300 !cast<NamespaceDecl>(OwnerScope)->isAnonymousNamespace()))) { 5301 Diag(Record->getLocation(), diag::err_anonymous_union_not_static) 5302 << FixItHint::CreateInsertion(Record->getLocation(), "static "); 5303 5304 // Recover by adding 'static'. 5305 DS.SetStorageClassSpec(*this, DeclSpec::SCS_static, SourceLocation(), 5306 PrevSpec, DiagID, Policy); 5307 } 5308 // C++ [class.union]p6: 5309 // A storage class is not allowed in a declaration of an 5310 // anonymous union in a class scope. 5311 else if (DS.getStorageClassSpec() != DeclSpec::SCS_unspecified && 5312 isa<RecordDecl>(Owner)) { 5313 Diag(DS.getStorageClassSpecLoc(), 5314 diag::err_anonymous_union_with_storage_spec) 5315 << FixItHint::CreateRemoval(DS.getStorageClassSpecLoc()); 5316 5317 // Recover by removing the storage specifier. 5318 DS.SetStorageClassSpec(*this, DeclSpec::SCS_unspecified, 5319 SourceLocation(), 5320 PrevSpec, DiagID, Context.getPrintingPolicy()); 5321 } 5322 } 5323 5324 // Ignore const/volatile/restrict qualifiers. 5325 if (DS.getTypeQualifiers()) { 5326 if (DS.getTypeQualifiers() & DeclSpec::TQ_const) 5327 Diag(DS.getConstSpecLoc(), diag::ext_anonymous_struct_union_qualified) 5328 << Record->isUnion() << "const" 5329 << FixItHint::CreateRemoval(DS.getConstSpecLoc()); 5330 if (DS.getTypeQualifiers() & DeclSpec::TQ_volatile) 5331 Diag(DS.getVolatileSpecLoc(), 5332 diag::ext_anonymous_struct_union_qualified) 5333 << Record->isUnion() << "volatile" 5334 << FixItHint::CreateRemoval(DS.getVolatileSpecLoc()); 5335 if (DS.getTypeQualifiers() & DeclSpec::TQ_restrict) 5336 Diag(DS.getRestrictSpecLoc(), 5337 diag::ext_anonymous_struct_union_qualified) 5338 << Record->isUnion() << "restrict" 5339 << FixItHint::CreateRemoval(DS.getRestrictSpecLoc()); 5340 if (DS.getTypeQualifiers() & DeclSpec::TQ_atomic) 5341 Diag(DS.getAtomicSpecLoc(), 5342 diag::ext_anonymous_struct_union_qualified) 5343 << Record->isUnion() << "_Atomic" 5344 << FixItHint::CreateRemoval(DS.getAtomicSpecLoc()); 5345 if (DS.getTypeQualifiers() & DeclSpec::TQ_unaligned) 5346 Diag(DS.getUnalignedSpecLoc(), 5347 diag::ext_anonymous_struct_union_qualified) 5348 << Record->isUnion() << "__unaligned" 5349 << FixItHint::CreateRemoval(DS.getUnalignedSpecLoc()); 5350 5351 DS.ClearTypeQualifiers(); 5352 } 5353 5354 // C++ [class.union]p2: 5355 // The member-specification of an anonymous union shall only 5356 // define non-static data members. [Note: nested types and 5357 // functions cannot be declared within an anonymous union. ] 5358 for (auto *Mem : Record->decls()) { 5359 // Ignore invalid declarations; we already diagnosed them. 5360 if (Mem->isInvalidDecl()) 5361 continue; 5362 5363 if (auto *FD = dyn_cast<FieldDecl>(Mem)) { 5364 // C++ [class.union]p3: 5365 // An anonymous union shall not have private or protected 5366 // members (clause 11). 5367 assert(FD->getAccess() != AS_none); 5368 if (FD->getAccess() != AS_public) { 5369 Diag(FD->getLocation(), diag::err_anonymous_record_nonpublic_member) 5370 << Record->isUnion() << (FD->getAccess() == AS_protected); 5371 Invalid = true; 5372 } 5373 5374 // C++ [class.union]p1 5375 // An object of a class with a non-trivial constructor, a non-trivial 5376 // copy constructor, a non-trivial destructor, or a non-trivial copy 5377 // assignment operator cannot be a member of a union, nor can an 5378 // array of such objects. 5379 if (CheckNontrivialField(FD)) 5380 Invalid = true; 5381 } else if (Mem->isImplicit()) { 5382 // Any implicit members are fine. 5383 } else if (isa<TagDecl>(Mem) && Mem->getDeclContext() != Record) { 5384 // This is a type that showed up in an 5385 // elaborated-type-specifier inside the anonymous struct or 5386 // union, but which actually declares a type outside of the 5387 // anonymous struct or union. It's okay. 5388 } else if (auto *MemRecord = dyn_cast<RecordDecl>(Mem)) { 5389 if (!MemRecord->isAnonymousStructOrUnion() && 5390 MemRecord->getDeclName()) { 5391 // Visual C++ allows type definition in anonymous struct or union. 5392 if (getLangOpts().MicrosoftExt) 5393 Diag(MemRecord->getLocation(), diag::ext_anonymous_record_with_type) 5394 << Record->isUnion(); 5395 else { 5396 // This is a nested type declaration. 5397 Diag(MemRecord->getLocation(), diag::err_anonymous_record_with_type) 5398 << Record->isUnion(); 5399 Invalid = true; 5400 } 5401 } else { 5402 // This is an anonymous type definition within another anonymous type. 5403 // This is a popular extension, provided by Plan9, MSVC and GCC, but 5404 // not part of standard C++. 5405 Diag(MemRecord->getLocation(), 5406 diag::ext_anonymous_record_with_anonymous_type) 5407 << Record->isUnion(); 5408 } 5409 } else if (isa<AccessSpecDecl>(Mem)) { 5410 // Any access specifier is fine. 5411 } else if (isa<StaticAssertDecl>(Mem)) { 5412 // In C++1z, static_assert declarations are also fine. 5413 } else { 5414 // We have something that isn't a non-static data 5415 // member. Complain about it. 5416 unsigned DK = diag::err_anonymous_record_bad_member; 5417 if (isa<TypeDecl>(Mem)) 5418 DK = diag::err_anonymous_record_with_type; 5419 else if (isa<FunctionDecl>(Mem)) 5420 DK = diag::err_anonymous_record_with_function; 5421 else if (isa<VarDecl>(Mem)) 5422 DK = diag::err_anonymous_record_with_static; 5423 5424 // Visual C++ allows type definition in anonymous struct or union. 5425 if (getLangOpts().MicrosoftExt && 5426 DK == diag::err_anonymous_record_with_type) 5427 Diag(Mem->getLocation(), diag::ext_anonymous_record_with_type) 5428 << Record->isUnion(); 5429 else { 5430 Diag(Mem->getLocation(), DK) << Record->isUnion(); 5431 Invalid = true; 5432 } 5433 } 5434 } 5435 5436 // C++11 [class.union]p8 (DR1460): 5437 // At most one variant member of a union may have a 5438 // brace-or-equal-initializer. 5439 if (cast<CXXRecordDecl>(Record)->hasInClassInitializer() && 5440 Owner->isRecord()) 5441 checkDuplicateDefaultInit(*this, cast<CXXRecordDecl>(Owner), 5442 cast<CXXRecordDecl>(Record)); 5443 } 5444 5445 if (!Record->isUnion() && !Owner->isRecord()) { 5446 Diag(Record->getLocation(), diag::err_anonymous_struct_not_member) 5447 << getLangOpts().CPlusPlus; 5448 Invalid = true; 5449 } 5450 5451 // C++ [dcl.dcl]p3: 5452 // [If there are no declarators], and except for the declaration of an 5453 // unnamed bit-field, the decl-specifier-seq shall introduce one or more 5454 // names into the program 5455 // C++ [class.mem]p2: 5456 // each such member-declaration shall either declare at least one member 5457 // name of the class or declare at least one unnamed bit-field 5458 // 5459 // For C this is an error even for a named struct, and is diagnosed elsewhere. 5460 if (getLangOpts().CPlusPlus && Record->field_empty()) 5461 Diag(DS.getBeginLoc(), diag::ext_no_declarators) << DS.getSourceRange(); 5462 5463 // Mock up a declarator. 5464 Declarator Dc(DS, DeclaratorContext::Member); 5465 TypeSourceInfo *TInfo = GetTypeForDeclarator(Dc, S); 5466 assert(TInfo && "couldn't build declarator info for anonymous struct/union"); 5467 5468 // Create a declaration for this anonymous struct/union. 5469 NamedDecl *Anon = nullptr; 5470 if (RecordDecl *OwningClass = dyn_cast<RecordDecl>(Owner)) { 5471 Anon = FieldDecl::Create( 5472 Context, OwningClass, DS.getBeginLoc(), Record->getLocation(), 5473 /*IdentifierInfo=*/nullptr, Context.getTypeDeclType(Record), TInfo, 5474 /*BitWidth=*/nullptr, /*Mutable=*/false, 5475 /*InitStyle=*/ICIS_NoInit); 5476 Anon->setAccess(AS); 5477 ProcessDeclAttributes(S, Anon, Dc); 5478 5479 if (getLangOpts().CPlusPlus) 5480 FieldCollector->Add(cast<FieldDecl>(Anon)); 5481 } else { 5482 DeclSpec::SCS SCSpec = DS.getStorageClassSpec(); 5483 StorageClass SC = StorageClassSpecToVarDeclStorageClass(DS); 5484 if (SCSpec == DeclSpec::SCS_mutable) { 5485 // mutable can only appear on non-static class members, so it's always 5486 // an error here 5487 Diag(Record->getLocation(), diag::err_mutable_nonmember); 5488 Invalid = true; 5489 SC = SC_None; 5490 } 5491 5492 assert(DS.getAttributes().empty() && "No attribute expected"); 5493 Anon = VarDecl::Create(Context, Owner, DS.getBeginLoc(), 5494 Record->getLocation(), /*IdentifierInfo=*/nullptr, 5495 Context.getTypeDeclType(Record), TInfo, SC); 5496 5497 // Default-initialize the implicit variable. This initialization will be 5498 // trivial in almost all cases, except if a union member has an in-class 5499 // initializer: 5500 // union { int n = 0; }; 5501 ActOnUninitializedDecl(Anon); 5502 } 5503 Anon->setImplicit(); 5504 5505 // Mark this as an anonymous struct/union type. 5506 Record->setAnonymousStructOrUnion(true); 5507 5508 // Add the anonymous struct/union object to the current 5509 // context. We'll be referencing this object when we refer to one of 5510 // its members. 5511 Owner->addDecl(Anon); 5512 5513 // Inject the members of the anonymous struct/union into the owning 5514 // context and into the identifier resolver chain for name lookup 5515 // purposes. 5516 SmallVector<NamedDecl*, 2> Chain; 5517 Chain.push_back(Anon); 5518 5519 if (InjectAnonymousStructOrUnionMembers(*this, S, Owner, Record, AS, Chain)) 5520 Invalid = true; 5521 5522 if (VarDecl *NewVD = dyn_cast<VarDecl>(Anon)) { 5523 if (getLangOpts().CPlusPlus && NewVD->isStaticLocal()) { 5524 MangleNumberingContext *MCtx; 5525 Decl *ManglingContextDecl; 5526 std::tie(MCtx, ManglingContextDecl) = 5527 getCurrentMangleNumberContext(NewVD->getDeclContext()); 5528 if (MCtx) { 5529 Context.setManglingNumber( 5530 NewVD, MCtx->getManglingNumber( 5531 NewVD, getMSManglingNumber(getLangOpts(), S))); 5532 Context.setStaticLocalNumber(NewVD, MCtx->getStaticLocalNumber(NewVD)); 5533 } 5534 } 5535 } 5536 5537 if (Invalid) 5538 Anon->setInvalidDecl(); 5539 5540 return Anon; 5541 } 5542 5543 /// BuildMicrosoftCAnonymousStruct - Handle the declaration of an 5544 /// Microsoft C anonymous structure. 5545 /// Ref: http://msdn.microsoft.com/en-us/library/z2cx9y4f.aspx 5546 /// Example: 5547 /// 5548 /// struct A { int a; }; 5549 /// struct B { struct A; int b; }; 5550 /// 5551 /// void foo() { 5552 /// B var; 5553 /// var.a = 3; 5554 /// } 5555 /// 5556 Decl *Sema::BuildMicrosoftCAnonymousStruct(Scope *S, DeclSpec &DS, 5557 RecordDecl *Record) { 5558 assert(Record && "expected a record!"); 5559 5560 // Mock up a declarator. 5561 Declarator Dc(DS, DeclaratorContext::TypeName); 5562 TypeSourceInfo *TInfo = GetTypeForDeclarator(Dc, S); 5563 assert(TInfo && "couldn't build declarator info for anonymous struct"); 5564 5565 auto *ParentDecl = cast<RecordDecl>(CurContext); 5566 QualType RecTy = Context.getTypeDeclType(Record); 5567 5568 // Create a declaration for this anonymous struct. 5569 NamedDecl *Anon = 5570 FieldDecl::Create(Context, ParentDecl, DS.getBeginLoc(), DS.getBeginLoc(), 5571 /*IdentifierInfo=*/nullptr, RecTy, TInfo, 5572 /*BitWidth=*/nullptr, /*Mutable=*/false, 5573 /*InitStyle=*/ICIS_NoInit); 5574 Anon->setImplicit(); 5575 5576 // Add the anonymous struct object to the current context. 5577 CurContext->addDecl(Anon); 5578 5579 // Inject the members of the anonymous struct into the current 5580 // context and into the identifier resolver chain for name lookup 5581 // purposes. 5582 SmallVector<NamedDecl*, 2> Chain; 5583 Chain.push_back(Anon); 5584 5585 RecordDecl *RecordDef = Record->getDefinition(); 5586 if (RequireCompleteSizedType(Anon->getLocation(), RecTy, 5587 diag::err_field_incomplete_or_sizeless) || 5588 InjectAnonymousStructOrUnionMembers(*this, S, CurContext, RecordDef, 5589 AS_none, Chain)) { 5590 Anon->setInvalidDecl(); 5591 ParentDecl->setInvalidDecl(); 5592 } 5593 5594 return Anon; 5595 } 5596 5597 /// GetNameForDeclarator - Determine the full declaration name for the 5598 /// given Declarator. 5599 DeclarationNameInfo Sema::GetNameForDeclarator(Declarator &D) { 5600 return GetNameFromUnqualifiedId(D.getName()); 5601 } 5602 5603 /// Retrieves the declaration name from a parsed unqualified-id. 5604 DeclarationNameInfo 5605 Sema::GetNameFromUnqualifiedId(const UnqualifiedId &Name) { 5606 DeclarationNameInfo NameInfo; 5607 NameInfo.setLoc(Name.StartLocation); 5608 5609 switch (Name.getKind()) { 5610 5611 case UnqualifiedIdKind::IK_ImplicitSelfParam: 5612 case UnqualifiedIdKind::IK_Identifier: 5613 NameInfo.setName(Name.Identifier); 5614 return NameInfo; 5615 5616 case UnqualifiedIdKind::IK_DeductionGuideName: { 5617 // C++ [temp.deduct.guide]p3: 5618 // The simple-template-id shall name a class template specialization. 5619 // The template-name shall be the same identifier as the template-name 5620 // of the simple-template-id. 5621 // These together intend to imply that the template-name shall name a 5622 // class template. 5623 // FIXME: template<typename T> struct X {}; 5624 // template<typename T> using Y = X<T>; 5625 // Y(int) -> Y<int>; 5626 // satisfies these rules but does not name a class template. 5627 TemplateName TN = Name.TemplateName.get().get(); 5628 auto *Template = TN.getAsTemplateDecl(); 5629 if (!Template || !isa<ClassTemplateDecl>(Template)) { 5630 Diag(Name.StartLocation, 5631 diag::err_deduction_guide_name_not_class_template) 5632 << (int)getTemplateNameKindForDiagnostics(TN) << TN; 5633 if (Template) 5634 Diag(Template->getLocation(), diag::note_template_decl_here); 5635 return DeclarationNameInfo(); 5636 } 5637 5638 NameInfo.setName( 5639 Context.DeclarationNames.getCXXDeductionGuideName(Template)); 5640 return NameInfo; 5641 } 5642 5643 case UnqualifiedIdKind::IK_OperatorFunctionId: 5644 NameInfo.setName(Context.DeclarationNames.getCXXOperatorName( 5645 Name.OperatorFunctionId.Operator)); 5646 NameInfo.setCXXOperatorNameRange(SourceRange( 5647 Name.OperatorFunctionId.SymbolLocations[0], Name.EndLocation)); 5648 return NameInfo; 5649 5650 case UnqualifiedIdKind::IK_LiteralOperatorId: 5651 NameInfo.setName(Context.DeclarationNames.getCXXLiteralOperatorName( 5652 Name.Identifier)); 5653 NameInfo.setCXXLiteralOperatorNameLoc(Name.EndLocation); 5654 return NameInfo; 5655 5656 case UnqualifiedIdKind::IK_ConversionFunctionId: { 5657 TypeSourceInfo *TInfo; 5658 QualType Ty = GetTypeFromParser(Name.ConversionFunctionId, &TInfo); 5659 if (Ty.isNull()) 5660 return DeclarationNameInfo(); 5661 NameInfo.setName(Context.DeclarationNames.getCXXConversionFunctionName( 5662 Context.getCanonicalType(Ty))); 5663 NameInfo.setNamedTypeInfo(TInfo); 5664 return NameInfo; 5665 } 5666 5667 case UnqualifiedIdKind::IK_ConstructorName: { 5668 TypeSourceInfo *TInfo; 5669 QualType Ty = GetTypeFromParser(Name.ConstructorName, &TInfo); 5670 if (Ty.isNull()) 5671 return DeclarationNameInfo(); 5672 NameInfo.setName(Context.DeclarationNames.getCXXConstructorName( 5673 Context.getCanonicalType(Ty))); 5674 NameInfo.setNamedTypeInfo(TInfo); 5675 return NameInfo; 5676 } 5677 5678 case UnqualifiedIdKind::IK_ConstructorTemplateId: { 5679 // In well-formed code, we can only have a constructor 5680 // template-id that refers to the current context, so go there 5681 // to find the actual type being constructed. 5682 CXXRecordDecl *CurClass = dyn_cast<CXXRecordDecl>(CurContext); 5683 if (!CurClass || CurClass->getIdentifier() != Name.TemplateId->Name) 5684 return DeclarationNameInfo(); 5685 5686 // Determine the type of the class being constructed. 5687 QualType CurClassType = Context.getTypeDeclType(CurClass); 5688 5689 // FIXME: Check two things: that the template-id names the same type as 5690 // CurClassType, and that the template-id does not occur when the name 5691 // was qualified. 5692 5693 NameInfo.setName(Context.DeclarationNames.getCXXConstructorName( 5694 Context.getCanonicalType(CurClassType))); 5695 // FIXME: should we retrieve TypeSourceInfo? 5696 NameInfo.setNamedTypeInfo(nullptr); 5697 return NameInfo; 5698 } 5699 5700 case UnqualifiedIdKind::IK_DestructorName: { 5701 TypeSourceInfo *TInfo; 5702 QualType Ty = GetTypeFromParser(Name.DestructorName, &TInfo); 5703 if (Ty.isNull()) 5704 return DeclarationNameInfo(); 5705 NameInfo.setName(Context.DeclarationNames.getCXXDestructorName( 5706 Context.getCanonicalType(Ty))); 5707 NameInfo.setNamedTypeInfo(TInfo); 5708 return NameInfo; 5709 } 5710 5711 case UnqualifiedIdKind::IK_TemplateId: { 5712 TemplateName TName = Name.TemplateId->Template.get(); 5713 SourceLocation TNameLoc = Name.TemplateId->TemplateNameLoc; 5714 return Context.getNameForTemplate(TName, TNameLoc); 5715 } 5716 5717 } // switch (Name.getKind()) 5718 5719 llvm_unreachable("Unknown name kind"); 5720 } 5721 5722 static QualType getCoreType(QualType Ty) { 5723 do { 5724 if (Ty->isPointerType() || Ty->isReferenceType()) 5725 Ty = Ty->getPointeeType(); 5726 else if (Ty->isArrayType()) 5727 Ty = Ty->castAsArrayTypeUnsafe()->getElementType(); 5728 else 5729 return Ty.withoutLocalFastQualifiers(); 5730 } while (true); 5731 } 5732 5733 /// hasSimilarParameters - Determine whether the C++ functions Declaration 5734 /// and Definition have "nearly" matching parameters. This heuristic is 5735 /// used to improve diagnostics in the case where an out-of-line function 5736 /// definition doesn't match any declaration within the class or namespace. 5737 /// Also sets Params to the list of indices to the parameters that differ 5738 /// between the declaration and the definition. If hasSimilarParameters 5739 /// returns true and Params is empty, then all of the parameters match. 5740 static bool hasSimilarParameters(ASTContext &Context, 5741 FunctionDecl *Declaration, 5742 FunctionDecl *Definition, 5743 SmallVectorImpl<unsigned> &Params) { 5744 Params.clear(); 5745 if (Declaration->param_size() != Definition->param_size()) 5746 return false; 5747 for (unsigned Idx = 0; Idx < Declaration->param_size(); ++Idx) { 5748 QualType DeclParamTy = Declaration->getParamDecl(Idx)->getType(); 5749 QualType DefParamTy = Definition->getParamDecl(Idx)->getType(); 5750 5751 // The parameter types are identical 5752 if (Context.hasSameUnqualifiedType(DefParamTy, DeclParamTy)) 5753 continue; 5754 5755 QualType DeclParamBaseTy = getCoreType(DeclParamTy); 5756 QualType DefParamBaseTy = getCoreType(DefParamTy); 5757 const IdentifierInfo *DeclTyName = DeclParamBaseTy.getBaseTypeIdentifier(); 5758 const IdentifierInfo *DefTyName = DefParamBaseTy.getBaseTypeIdentifier(); 5759 5760 if (Context.hasSameUnqualifiedType(DeclParamBaseTy, DefParamBaseTy) || 5761 (DeclTyName && DeclTyName == DefTyName)) 5762 Params.push_back(Idx); 5763 else // The two parameters aren't even close 5764 return false; 5765 } 5766 5767 return true; 5768 } 5769 5770 /// RebuildDeclaratorInCurrentInstantiation - Checks whether the given 5771 /// declarator needs to be rebuilt in the current instantiation. 5772 /// Any bits of declarator which appear before the name are valid for 5773 /// consideration here. That's specifically the type in the decl spec 5774 /// and the base type in any member-pointer chunks. 5775 static bool RebuildDeclaratorInCurrentInstantiation(Sema &S, Declarator &D, 5776 DeclarationName Name) { 5777 // The types we specifically need to rebuild are: 5778 // - typenames, typeofs, and decltypes 5779 // - types which will become injected class names 5780 // Of course, we also need to rebuild any type referencing such a 5781 // type. It's safest to just say "dependent", but we call out a 5782 // few cases here. 5783 5784 DeclSpec &DS = D.getMutableDeclSpec(); 5785 switch (DS.getTypeSpecType()) { 5786 case DeclSpec::TST_typename: 5787 case DeclSpec::TST_typeofType: 5788 case DeclSpec::TST_underlyingType: 5789 case DeclSpec::TST_atomic: { 5790 // Grab the type from the parser. 5791 TypeSourceInfo *TSI = nullptr; 5792 QualType T = S.GetTypeFromParser(DS.getRepAsType(), &TSI); 5793 if (T.isNull() || !T->isInstantiationDependentType()) break; 5794 5795 // Make sure there's a type source info. This isn't really much 5796 // of a waste; most dependent types should have type source info 5797 // attached already. 5798 if (!TSI) 5799 TSI = S.Context.getTrivialTypeSourceInfo(T, DS.getTypeSpecTypeLoc()); 5800 5801 // Rebuild the type in the current instantiation. 5802 TSI = S.RebuildTypeInCurrentInstantiation(TSI, D.getIdentifierLoc(), Name); 5803 if (!TSI) return true; 5804 5805 // Store the new type back in the decl spec. 5806 ParsedType LocType = S.CreateParsedType(TSI->getType(), TSI); 5807 DS.UpdateTypeRep(LocType); 5808 break; 5809 } 5810 5811 case DeclSpec::TST_decltype: 5812 case DeclSpec::TST_typeofExpr: { 5813 Expr *E = DS.getRepAsExpr(); 5814 ExprResult Result = S.RebuildExprInCurrentInstantiation(E); 5815 if (Result.isInvalid()) return true; 5816 DS.UpdateExprRep(Result.get()); 5817 break; 5818 } 5819 5820 default: 5821 // Nothing to do for these decl specs. 5822 break; 5823 } 5824 5825 // It doesn't matter what order we do this in. 5826 for (unsigned I = 0, E = D.getNumTypeObjects(); I != E; ++I) { 5827 DeclaratorChunk &Chunk = D.getTypeObject(I); 5828 5829 // The only type information in the declarator which can come 5830 // before the declaration name is the base type of a member 5831 // pointer. 5832 if (Chunk.Kind != DeclaratorChunk::MemberPointer) 5833 continue; 5834 5835 // Rebuild the scope specifier in-place. 5836 CXXScopeSpec &SS = Chunk.Mem.Scope(); 5837 if (S.RebuildNestedNameSpecifierInCurrentInstantiation(SS)) 5838 return true; 5839 } 5840 5841 return false; 5842 } 5843 5844 /// Returns true if the declaration is declared in a system header or from a 5845 /// system macro. 5846 static bool isFromSystemHeader(SourceManager &SM, const Decl *D) { 5847 return SM.isInSystemHeader(D->getLocation()) || 5848 SM.isInSystemMacro(D->getLocation()); 5849 } 5850 5851 void Sema::warnOnReservedIdentifier(const NamedDecl *D) { 5852 // Avoid warning twice on the same identifier, and don't warn on redeclaration 5853 // of system decl. 5854 if (D->getPreviousDecl() || D->isImplicit()) 5855 return; 5856 ReservedIdentifierStatus Status = D->isReserved(getLangOpts()); 5857 if (Status != ReservedIdentifierStatus::NotReserved && 5858 !isFromSystemHeader(Context.getSourceManager(), D)) { 5859 Diag(D->getLocation(), diag::warn_reserved_extern_symbol) 5860 << D << static_cast<int>(Status); 5861 } 5862 } 5863 5864 Decl *Sema::ActOnDeclarator(Scope *S, Declarator &D) { 5865 D.setFunctionDefinitionKind(FunctionDefinitionKind::Declaration); 5866 Decl *Dcl = HandleDeclarator(S, D, MultiTemplateParamsArg()); 5867 5868 if (OriginalLexicalContext && OriginalLexicalContext->isObjCContainer() && 5869 Dcl && Dcl->getDeclContext()->isFileContext()) 5870 Dcl->setTopLevelDeclInObjCContainer(); 5871 5872 return Dcl; 5873 } 5874 5875 /// DiagnoseClassNameShadow - Implement C++ [class.mem]p13: 5876 /// If T is the name of a class, then each of the following shall have a 5877 /// name different from T: 5878 /// - every static data member of class T; 5879 /// - every member function of class T 5880 /// - every member of class T that is itself a type; 5881 /// \returns true if the declaration name violates these rules. 5882 bool Sema::DiagnoseClassNameShadow(DeclContext *DC, 5883 DeclarationNameInfo NameInfo) { 5884 DeclarationName Name = NameInfo.getName(); 5885 5886 CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(DC); 5887 while (Record && Record->isAnonymousStructOrUnion()) 5888 Record = dyn_cast<CXXRecordDecl>(Record->getParent()); 5889 if (Record && Record->getIdentifier() && Record->getDeclName() == Name) { 5890 Diag(NameInfo.getLoc(), diag::err_member_name_of_class) << Name; 5891 return true; 5892 } 5893 5894 return false; 5895 } 5896 5897 /// Diagnose a declaration whose declarator-id has the given 5898 /// nested-name-specifier. 5899 /// 5900 /// \param SS The nested-name-specifier of the declarator-id. 5901 /// 5902 /// \param DC The declaration context to which the nested-name-specifier 5903 /// resolves. 5904 /// 5905 /// \param Name The name of the entity being declared. 5906 /// 5907 /// \param Loc The location of the name of the entity being declared. 5908 /// 5909 /// \param IsTemplateId Whether the name is a (simple-)template-id, and thus 5910 /// we're declaring an explicit / partial specialization / instantiation. 5911 /// 5912 /// \returns true if we cannot safely recover from this error, false otherwise. 5913 bool Sema::diagnoseQualifiedDeclaration(CXXScopeSpec &SS, DeclContext *DC, 5914 DeclarationName Name, 5915 SourceLocation Loc, bool IsTemplateId) { 5916 DeclContext *Cur = CurContext; 5917 while (isa<LinkageSpecDecl>(Cur) || isa<CapturedDecl>(Cur)) 5918 Cur = Cur->getParent(); 5919 5920 // If the user provided a superfluous scope specifier that refers back to the 5921 // class in which the entity is already declared, diagnose and ignore it. 5922 // 5923 // class X { 5924 // void X::f(); 5925 // }; 5926 // 5927 // Note, it was once ill-formed to give redundant qualification in all 5928 // contexts, but that rule was removed by DR482. 5929 if (Cur->Equals(DC)) { 5930 if (Cur->isRecord()) { 5931 Diag(Loc, LangOpts.MicrosoftExt ? diag::warn_member_extra_qualification 5932 : diag::err_member_extra_qualification) 5933 << Name << FixItHint::CreateRemoval(SS.getRange()); 5934 SS.clear(); 5935 } else { 5936 Diag(Loc, diag::warn_namespace_member_extra_qualification) << Name; 5937 } 5938 return false; 5939 } 5940 5941 // Check whether the qualifying scope encloses the scope of the original 5942 // declaration. For a template-id, we perform the checks in 5943 // CheckTemplateSpecializationScope. 5944 if (!Cur->Encloses(DC) && !IsTemplateId) { 5945 if (Cur->isRecord()) 5946 Diag(Loc, diag::err_member_qualification) 5947 << Name << SS.getRange(); 5948 else if (isa<TranslationUnitDecl>(DC)) 5949 Diag(Loc, diag::err_invalid_declarator_global_scope) 5950 << Name << SS.getRange(); 5951 else if (isa<FunctionDecl>(Cur)) 5952 Diag(Loc, diag::err_invalid_declarator_in_function) 5953 << Name << SS.getRange(); 5954 else if (isa<BlockDecl>(Cur)) 5955 Diag(Loc, diag::err_invalid_declarator_in_block) 5956 << Name << SS.getRange(); 5957 else if (isa<ExportDecl>(Cur)) { 5958 if (!isa<NamespaceDecl>(DC)) 5959 Diag(Loc, diag::err_export_non_namespace_scope_name) 5960 << Name << SS.getRange(); 5961 else 5962 // The cases that DC is not NamespaceDecl should be handled in 5963 // CheckRedeclarationExported. 5964 return false; 5965 } else 5966 Diag(Loc, diag::err_invalid_declarator_scope) 5967 << Name << cast<NamedDecl>(Cur) << cast<NamedDecl>(DC) << SS.getRange(); 5968 5969 return true; 5970 } 5971 5972 if (Cur->isRecord()) { 5973 // Cannot qualify members within a class. 5974 Diag(Loc, diag::err_member_qualification) 5975 << Name << SS.getRange(); 5976 SS.clear(); 5977 5978 // C++ constructors and destructors with incorrect scopes can break 5979 // our AST invariants by having the wrong underlying types. If 5980 // that's the case, then drop this declaration entirely. 5981 if ((Name.getNameKind() == DeclarationName::CXXConstructorName || 5982 Name.getNameKind() == DeclarationName::CXXDestructorName) && 5983 !Context.hasSameType(Name.getCXXNameType(), 5984 Context.getTypeDeclType(cast<CXXRecordDecl>(Cur)))) 5985 return true; 5986 5987 return false; 5988 } 5989 5990 // C++11 [dcl.meaning]p1: 5991 // [...] "The nested-name-specifier of the qualified declarator-id shall 5992 // not begin with a decltype-specifer" 5993 NestedNameSpecifierLoc SpecLoc(SS.getScopeRep(), SS.location_data()); 5994 while (SpecLoc.getPrefix()) 5995 SpecLoc = SpecLoc.getPrefix(); 5996 if (isa_and_nonnull<DecltypeType>( 5997 SpecLoc.getNestedNameSpecifier()->getAsType())) 5998 Diag(Loc, diag::err_decltype_in_declarator) 5999 << SpecLoc.getTypeLoc().getSourceRange(); 6000 6001 return false; 6002 } 6003 6004 NamedDecl *Sema::HandleDeclarator(Scope *S, Declarator &D, 6005 MultiTemplateParamsArg TemplateParamLists) { 6006 // TODO: consider using NameInfo for diagnostic. 6007 DeclarationNameInfo NameInfo = GetNameForDeclarator(D); 6008 DeclarationName Name = NameInfo.getName(); 6009 6010 // All of these full declarators require an identifier. If it doesn't have 6011 // one, the ParsedFreeStandingDeclSpec action should be used. 6012 if (D.isDecompositionDeclarator()) { 6013 return ActOnDecompositionDeclarator(S, D, TemplateParamLists); 6014 } else if (!Name) { 6015 if (!D.isInvalidType()) // Reject this if we think it is valid. 6016 Diag(D.getDeclSpec().getBeginLoc(), diag::err_declarator_need_ident) 6017 << D.getDeclSpec().getSourceRange() << D.getSourceRange(); 6018 return nullptr; 6019 } else if (DiagnoseUnexpandedParameterPack(NameInfo, UPPC_DeclarationType)) 6020 return nullptr; 6021 6022 // The scope passed in may not be a decl scope. Zip up the scope tree until 6023 // we find one that is. 6024 while ((S->getFlags() & Scope::DeclScope) == 0 || 6025 (S->getFlags() & Scope::TemplateParamScope) != 0) 6026 S = S->getParent(); 6027 6028 DeclContext *DC = CurContext; 6029 if (D.getCXXScopeSpec().isInvalid()) 6030 D.setInvalidType(); 6031 else if (D.getCXXScopeSpec().isSet()) { 6032 if (DiagnoseUnexpandedParameterPack(D.getCXXScopeSpec(), 6033 UPPC_DeclarationQualifier)) 6034 return nullptr; 6035 6036 bool EnteringContext = !D.getDeclSpec().isFriendSpecified(); 6037 DC = computeDeclContext(D.getCXXScopeSpec(), EnteringContext); 6038 if (!DC || isa<EnumDecl>(DC)) { 6039 // If we could not compute the declaration context, it's because the 6040 // declaration context is dependent but does not refer to a class, 6041 // class template, or class template partial specialization. Complain 6042 // and return early, to avoid the coming semantic disaster. 6043 Diag(D.getIdentifierLoc(), 6044 diag::err_template_qualified_declarator_no_match) 6045 << D.getCXXScopeSpec().getScopeRep() 6046 << D.getCXXScopeSpec().getRange(); 6047 return nullptr; 6048 } 6049 bool IsDependentContext = DC->isDependentContext(); 6050 6051 if (!IsDependentContext && 6052 RequireCompleteDeclContext(D.getCXXScopeSpec(), DC)) 6053 return nullptr; 6054 6055 // If a class is incomplete, do not parse entities inside it. 6056 if (isa<CXXRecordDecl>(DC) && !cast<CXXRecordDecl>(DC)->hasDefinition()) { 6057 Diag(D.getIdentifierLoc(), 6058 diag::err_member_def_undefined_record) 6059 << Name << DC << D.getCXXScopeSpec().getRange(); 6060 return nullptr; 6061 } 6062 if (!D.getDeclSpec().isFriendSpecified()) { 6063 if (diagnoseQualifiedDeclaration( 6064 D.getCXXScopeSpec(), DC, Name, D.getIdentifierLoc(), 6065 D.getName().getKind() == UnqualifiedIdKind::IK_TemplateId)) { 6066 if (DC->isRecord()) 6067 return nullptr; 6068 6069 D.setInvalidType(); 6070 } 6071 } 6072 6073 // Check whether we need to rebuild the type of the given 6074 // declaration in the current instantiation. 6075 if (EnteringContext && IsDependentContext && 6076 TemplateParamLists.size() != 0) { 6077 ContextRAII SavedContext(*this, DC); 6078 if (RebuildDeclaratorInCurrentInstantiation(*this, D, Name)) 6079 D.setInvalidType(); 6080 } 6081 } 6082 6083 TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S); 6084 QualType R = TInfo->getType(); 6085 6086 if (DiagnoseUnexpandedParameterPack(D.getIdentifierLoc(), TInfo, 6087 UPPC_DeclarationType)) 6088 D.setInvalidType(); 6089 6090 LookupResult Previous(*this, NameInfo, LookupOrdinaryName, 6091 forRedeclarationInCurContext()); 6092 6093 // See if this is a redefinition of a variable in the same scope. 6094 if (!D.getCXXScopeSpec().isSet()) { 6095 bool IsLinkageLookup = false; 6096 bool CreateBuiltins = false; 6097 6098 // If the declaration we're planning to build will be a function 6099 // or object with linkage, then look for another declaration with 6100 // linkage (C99 6.2.2p4-5 and C++ [basic.link]p6). 6101 // 6102 // If the declaration we're planning to build will be declared with 6103 // external linkage in the translation unit, create any builtin with 6104 // the same name. 6105 if (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_typedef) 6106 /* Do nothing*/; 6107 else if (CurContext->isFunctionOrMethod() && 6108 (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_extern || 6109 R->isFunctionType())) { 6110 IsLinkageLookup = true; 6111 CreateBuiltins = 6112 CurContext->getEnclosingNamespaceContext()->isTranslationUnit(); 6113 } else if (CurContext->getRedeclContext()->isTranslationUnit() && 6114 D.getDeclSpec().getStorageClassSpec() != DeclSpec::SCS_static) 6115 CreateBuiltins = true; 6116 6117 if (IsLinkageLookup) { 6118 Previous.clear(LookupRedeclarationWithLinkage); 6119 Previous.setRedeclarationKind(ForExternalRedeclaration); 6120 } 6121 6122 LookupName(Previous, S, CreateBuiltins); 6123 } else { // Something like "int foo::x;" 6124 LookupQualifiedName(Previous, DC); 6125 6126 // C++ [dcl.meaning]p1: 6127 // When the declarator-id is qualified, the declaration shall refer to a 6128 // previously declared member of the class or namespace to which the 6129 // qualifier refers (or, in the case of a namespace, of an element of the 6130 // inline namespace set of that namespace (7.3.1)) or to a specialization 6131 // thereof; [...] 6132 // 6133 // Note that we already checked the context above, and that we do not have 6134 // enough information to make sure that Previous contains the declaration 6135 // we want to match. For example, given: 6136 // 6137 // class X { 6138 // void f(); 6139 // void f(float); 6140 // }; 6141 // 6142 // void X::f(int) { } // ill-formed 6143 // 6144 // In this case, Previous will point to the overload set 6145 // containing the two f's declared in X, but neither of them 6146 // matches. 6147 6148 // C++ [dcl.meaning]p1: 6149 // [...] the member shall not merely have been introduced by a 6150 // using-declaration in the scope of the class or namespace nominated by 6151 // the nested-name-specifier of the declarator-id. 6152 RemoveUsingDecls(Previous); 6153 } 6154 6155 if (Previous.isSingleResult() && 6156 Previous.getFoundDecl()->isTemplateParameter()) { 6157 // Maybe we will complain about the shadowed template parameter. 6158 if (!D.isInvalidType()) 6159 DiagnoseTemplateParameterShadow(D.getIdentifierLoc(), 6160 Previous.getFoundDecl()); 6161 6162 // Just pretend that we didn't see the previous declaration. 6163 Previous.clear(); 6164 } 6165 6166 if (!R->isFunctionType() && DiagnoseClassNameShadow(DC, NameInfo)) 6167 // Forget that the previous declaration is the injected-class-name. 6168 Previous.clear(); 6169 6170 // In C++, the previous declaration we find might be a tag type 6171 // (class or enum). In this case, the new declaration will hide the 6172 // tag type. Note that this applies to functions, function templates, and 6173 // variables, but not to typedefs (C++ [dcl.typedef]p4) or variable templates. 6174 if (Previous.isSingleTagDecl() && 6175 D.getDeclSpec().getStorageClassSpec() != DeclSpec::SCS_typedef && 6176 (TemplateParamLists.size() == 0 || R->isFunctionType())) 6177 Previous.clear(); 6178 6179 // Check that there are no default arguments other than in the parameters 6180 // of a function declaration (C++ only). 6181 if (getLangOpts().CPlusPlus) 6182 CheckExtraCXXDefaultArguments(D); 6183 6184 NamedDecl *New; 6185 6186 bool AddToScope = true; 6187 if (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_typedef) { 6188 if (TemplateParamLists.size()) { 6189 Diag(D.getIdentifierLoc(), diag::err_template_typedef); 6190 return nullptr; 6191 } 6192 6193 New = ActOnTypedefDeclarator(S, D, DC, TInfo, Previous); 6194 } else if (R->isFunctionType()) { 6195 New = ActOnFunctionDeclarator(S, D, DC, TInfo, Previous, 6196 TemplateParamLists, 6197 AddToScope); 6198 } else { 6199 New = ActOnVariableDeclarator(S, D, DC, TInfo, Previous, TemplateParamLists, 6200 AddToScope); 6201 } 6202 6203 if (!New) 6204 return nullptr; 6205 6206 // If this has an identifier and is not a function template specialization, 6207 // add it to the scope stack. 6208 if (New->getDeclName() && AddToScope) 6209 PushOnScopeChains(New, S); 6210 6211 if (isInOpenMPDeclareTargetContext()) 6212 checkDeclIsAllowedInOpenMPTarget(nullptr, New); 6213 6214 return New; 6215 } 6216 6217 /// Helper method to turn variable array types into constant array 6218 /// types in certain situations which would otherwise be errors (for 6219 /// GCC compatibility). 6220 static QualType TryToFixInvalidVariablyModifiedType(QualType T, 6221 ASTContext &Context, 6222 bool &SizeIsNegative, 6223 llvm::APSInt &Oversized) { 6224 // This method tries to turn a variable array into a constant 6225 // array even when the size isn't an ICE. This is necessary 6226 // for compatibility with code that depends on gcc's buggy 6227 // constant expression folding, like struct {char x[(int)(char*)2];} 6228 SizeIsNegative = false; 6229 Oversized = 0; 6230 6231 if (T->isDependentType()) 6232 return QualType(); 6233 6234 QualifierCollector Qs; 6235 const Type *Ty = Qs.strip(T); 6236 6237 if (const PointerType* PTy = dyn_cast<PointerType>(Ty)) { 6238 QualType Pointee = PTy->getPointeeType(); 6239 QualType FixedType = 6240 TryToFixInvalidVariablyModifiedType(Pointee, Context, SizeIsNegative, 6241 Oversized); 6242 if (FixedType.isNull()) return FixedType; 6243 FixedType = Context.getPointerType(FixedType); 6244 return Qs.apply(Context, FixedType); 6245 } 6246 if (const ParenType* PTy = dyn_cast<ParenType>(Ty)) { 6247 QualType Inner = PTy->getInnerType(); 6248 QualType FixedType = 6249 TryToFixInvalidVariablyModifiedType(Inner, Context, SizeIsNegative, 6250 Oversized); 6251 if (FixedType.isNull()) return FixedType; 6252 FixedType = Context.getParenType(FixedType); 6253 return Qs.apply(Context, FixedType); 6254 } 6255 6256 const VariableArrayType* VLATy = dyn_cast<VariableArrayType>(T); 6257 if (!VLATy) 6258 return QualType(); 6259 6260 QualType ElemTy = VLATy->getElementType(); 6261 if (ElemTy->isVariablyModifiedType()) { 6262 ElemTy = TryToFixInvalidVariablyModifiedType(ElemTy, Context, 6263 SizeIsNegative, Oversized); 6264 if (ElemTy.isNull()) 6265 return QualType(); 6266 } 6267 6268 Expr::EvalResult Result; 6269 if (!VLATy->getSizeExpr() || 6270 !VLATy->getSizeExpr()->EvaluateAsInt(Result, Context)) 6271 return QualType(); 6272 6273 llvm::APSInt Res = Result.Val.getInt(); 6274 6275 // Check whether the array size is negative. 6276 if (Res.isSigned() && Res.isNegative()) { 6277 SizeIsNegative = true; 6278 return QualType(); 6279 } 6280 6281 // Check whether the array is too large to be addressed. 6282 unsigned ActiveSizeBits = 6283 (!ElemTy->isDependentType() && !ElemTy->isVariablyModifiedType() && 6284 !ElemTy->isIncompleteType() && !ElemTy->isUndeducedType()) 6285 ? ConstantArrayType::getNumAddressingBits(Context, ElemTy, Res) 6286 : Res.getActiveBits(); 6287 if (ActiveSizeBits > ConstantArrayType::getMaxSizeBits(Context)) { 6288 Oversized = Res; 6289 return QualType(); 6290 } 6291 6292 QualType FoldedArrayType = Context.getConstantArrayType( 6293 ElemTy, Res, VLATy->getSizeExpr(), ArrayType::Normal, 0); 6294 return Qs.apply(Context, FoldedArrayType); 6295 } 6296 6297 static void 6298 FixInvalidVariablyModifiedTypeLoc(TypeLoc SrcTL, TypeLoc DstTL) { 6299 SrcTL = SrcTL.getUnqualifiedLoc(); 6300 DstTL = DstTL.getUnqualifiedLoc(); 6301 if (PointerTypeLoc SrcPTL = SrcTL.getAs<PointerTypeLoc>()) { 6302 PointerTypeLoc DstPTL = DstTL.castAs<PointerTypeLoc>(); 6303 FixInvalidVariablyModifiedTypeLoc(SrcPTL.getPointeeLoc(), 6304 DstPTL.getPointeeLoc()); 6305 DstPTL.setStarLoc(SrcPTL.getStarLoc()); 6306 return; 6307 } 6308 if (ParenTypeLoc SrcPTL = SrcTL.getAs<ParenTypeLoc>()) { 6309 ParenTypeLoc DstPTL = DstTL.castAs<ParenTypeLoc>(); 6310 FixInvalidVariablyModifiedTypeLoc(SrcPTL.getInnerLoc(), 6311 DstPTL.getInnerLoc()); 6312 DstPTL.setLParenLoc(SrcPTL.getLParenLoc()); 6313 DstPTL.setRParenLoc(SrcPTL.getRParenLoc()); 6314 return; 6315 } 6316 ArrayTypeLoc SrcATL = SrcTL.castAs<ArrayTypeLoc>(); 6317 ArrayTypeLoc DstATL = DstTL.castAs<ArrayTypeLoc>(); 6318 TypeLoc SrcElemTL = SrcATL.getElementLoc(); 6319 TypeLoc DstElemTL = DstATL.getElementLoc(); 6320 if (VariableArrayTypeLoc SrcElemATL = 6321 SrcElemTL.getAs<VariableArrayTypeLoc>()) { 6322 ConstantArrayTypeLoc DstElemATL = DstElemTL.castAs<ConstantArrayTypeLoc>(); 6323 FixInvalidVariablyModifiedTypeLoc(SrcElemATL, DstElemATL); 6324 } else { 6325 DstElemTL.initializeFullCopy(SrcElemTL); 6326 } 6327 DstATL.setLBracketLoc(SrcATL.getLBracketLoc()); 6328 DstATL.setSizeExpr(SrcATL.getSizeExpr()); 6329 DstATL.setRBracketLoc(SrcATL.getRBracketLoc()); 6330 } 6331 6332 /// Helper method to turn variable array types into constant array 6333 /// types in certain situations which would otherwise be errors (for 6334 /// GCC compatibility). 6335 static TypeSourceInfo* 6336 TryToFixInvalidVariablyModifiedTypeSourceInfo(TypeSourceInfo *TInfo, 6337 ASTContext &Context, 6338 bool &SizeIsNegative, 6339 llvm::APSInt &Oversized) { 6340 QualType FixedTy 6341 = TryToFixInvalidVariablyModifiedType(TInfo->getType(), Context, 6342 SizeIsNegative, Oversized); 6343 if (FixedTy.isNull()) 6344 return nullptr; 6345 TypeSourceInfo *FixedTInfo = Context.getTrivialTypeSourceInfo(FixedTy); 6346 FixInvalidVariablyModifiedTypeLoc(TInfo->getTypeLoc(), 6347 FixedTInfo->getTypeLoc()); 6348 return FixedTInfo; 6349 } 6350 6351 /// Attempt to fold a variable-sized type to a constant-sized type, returning 6352 /// true if we were successful. 6353 bool Sema::tryToFixVariablyModifiedVarType(TypeSourceInfo *&TInfo, 6354 QualType &T, SourceLocation Loc, 6355 unsigned FailedFoldDiagID) { 6356 bool SizeIsNegative; 6357 llvm::APSInt Oversized; 6358 TypeSourceInfo *FixedTInfo = TryToFixInvalidVariablyModifiedTypeSourceInfo( 6359 TInfo, Context, SizeIsNegative, Oversized); 6360 if (FixedTInfo) { 6361 Diag(Loc, diag::ext_vla_folded_to_constant); 6362 TInfo = FixedTInfo; 6363 T = FixedTInfo->getType(); 6364 return true; 6365 } 6366 6367 if (SizeIsNegative) 6368 Diag(Loc, diag::err_typecheck_negative_array_size); 6369 else if (Oversized.getBoolValue()) 6370 Diag(Loc, diag::err_array_too_large) << toString(Oversized, 10); 6371 else if (FailedFoldDiagID) 6372 Diag(Loc, FailedFoldDiagID); 6373 return false; 6374 } 6375 6376 /// Register the given locally-scoped extern "C" declaration so 6377 /// that it can be found later for redeclarations. We include any extern "C" 6378 /// declaration that is not visible in the translation unit here, not just 6379 /// function-scope declarations. 6380 void 6381 Sema::RegisterLocallyScopedExternCDecl(NamedDecl *ND, Scope *S) { 6382 if (!getLangOpts().CPlusPlus && 6383 ND->getLexicalDeclContext()->getRedeclContext()->isTranslationUnit()) 6384 // Don't need to track declarations in the TU in C. 6385 return; 6386 6387 // Note that we have a locally-scoped external with this name. 6388 Context.getExternCContextDecl()->makeDeclVisibleInContext(ND); 6389 } 6390 6391 NamedDecl *Sema::findLocallyScopedExternCDecl(DeclarationName Name) { 6392 // FIXME: We can have multiple results via __attribute__((overloadable)). 6393 auto Result = Context.getExternCContextDecl()->lookup(Name); 6394 return Result.empty() ? nullptr : *Result.begin(); 6395 } 6396 6397 /// Diagnose function specifiers on a declaration of an identifier that 6398 /// does not identify a function. 6399 void Sema::DiagnoseFunctionSpecifiers(const DeclSpec &DS) { 6400 // FIXME: We should probably indicate the identifier in question to avoid 6401 // confusion for constructs like "virtual int a(), b;" 6402 if (DS.isVirtualSpecified()) 6403 Diag(DS.getVirtualSpecLoc(), 6404 diag::err_virtual_non_function); 6405 6406 if (DS.hasExplicitSpecifier()) 6407 Diag(DS.getExplicitSpecLoc(), 6408 diag::err_explicit_non_function); 6409 6410 if (DS.isNoreturnSpecified()) 6411 Diag(DS.getNoreturnSpecLoc(), 6412 diag::err_noreturn_non_function); 6413 } 6414 6415 NamedDecl* 6416 Sema::ActOnTypedefDeclarator(Scope* S, Declarator& D, DeclContext* DC, 6417 TypeSourceInfo *TInfo, LookupResult &Previous) { 6418 // Typedef declarators cannot be qualified (C++ [dcl.meaning]p1). 6419 if (D.getCXXScopeSpec().isSet()) { 6420 Diag(D.getIdentifierLoc(), diag::err_qualified_typedef_declarator) 6421 << D.getCXXScopeSpec().getRange(); 6422 D.setInvalidType(); 6423 // Pretend we didn't see the scope specifier. 6424 DC = CurContext; 6425 Previous.clear(); 6426 } 6427 6428 DiagnoseFunctionSpecifiers(D.getDeclSpec()); 6429 6430 if (D.getDeclSpec().isInlineSpecified()) 6431 Diag(D.getDeclSpec().getInlineSpecLoc(), diag::err_inline_non_function) 6432 << getLangOpts().CPlusPlus17; 6433 if (D.getDeclSpec().hasConstexprSpecifier()) 6434 Diag(D.getDeclSpec().getConstexprSpecLoc(), diag::err_invalid_constexpr) 6435 << 1 << static_cast<int>(D.getDeclSpec().getConstexprSpecifier()); 6436 6437 if (D.getName().Kind != UnqualifiedIdKind::IK_Identifier) { 6438 if (D.getName().Kind == UnqualifiedIdKind::IK_DeductionGuideName) 6439 Diag(D.getName().StartLocation, 6440 diag::err_deduction_guide_invalid_specifier) 6441 << "typedef"; 6442 else 6443 Diag(D.getName().StartLocation, diag::err_typedef_not_identifier) 6444 << D.getName().getSourceRange(); 6445 return nullptr; 6446 } 6447 6448 TypedefDecl *NewTD = ParseTypedefDecl(S, D, TInfo->getType(), TInfo); 6449 if (!NewTD) return nullptr; 6450 6451 // Handle attributes prior to checking for duplicates in MergeVarDecl 6452 ProcessDeclAttributes(S, NewTD, D); 6453 6454 CheckTypedefForVariablyModifiedType(S, NewTD); 6455 6456 bool Redeclaration = D.isRedeclaration(); 6457 NamedDecl *ND = ActOnTypedefNameDecl(S, DC, NewTD, Previous, Redeclaration); 6458 D.setRedeclaration(Redeclaration); 6459 return ND; 6460 } 6461 6462 void 6463 Sema::CheckTypedefForVariablyModifiedType(Scope *S, TypedefNameDecl *NewTD) { 6464 // C99 6.7.7p2: If a typedef name specifies a variably modified type 6465 // then it shall have block scope. 6466 // Note that variably modified types must be fixed before merging the decl so 6467 // that redeclarations will match. 6468 TypeSourceInfo *TInfo = NewTD->getTypeSourceInfo(); 6469 QualType T = TInfo->getType(); 6470 if (T->isVariablyModifiedType()) { 6471 setFunctionHasBranchProtectedScope(); 6472 6473 if (S->getFnParent() == nullptr) { 6474 bool SizeIsNegative; 6475 llvm::APSInt Oversized; 6476 TypeSourceInfo *FixedTInfo = 6477 TryToFixInvalidVariablyModifiedTypeSourceInfo(TInfo, Context, 6478 SizeIsNegative, 6479 Oversized); 6480 if (FixedTInfo) { 6481 Diag(NewTD->getLocation(), diag::ext_vla_folded_to_constant); 6482 NewTD->setTypeSourceInfo(FixedTInfo); 6483 } else { 6484 if (SizeIsNegative) 6485 Diag(NewTD->getLocation(), diag::err_typecheck_negative_array_size); 6486 else if (T->isVariableArrayType()) 6487 Diag(NewTD->getLocation(), diag::err_vla_decl_in_file_scope); 6488 else if (Oversized.getBoolValue()) 6489 Diag(NewTD->getLocation(), diag::err_array_too_large) 6490 << toString(Oversized, 10); 6491 else 6492 Diag(NewTD->getLocation(), diag::err_vm_decl_in_file_scope); 6493 NewTD->setInvalidDecl(); 6494 } 6495 } 6496 } 6497 } 6498 6499 /// ActOnTypedefNameDecl - Perform semantic checking for a declaration which 6500 /// declares a typedef-name, either using the 'typedef' type specifier or via 6501 /// a C++0x [dcl.typedef]p2 alias-declaration: 'using T = A;'. 6502 NamedDecl* 6503 Sema::ActOnTypedefNameDecl(Scope *S, DeclContext *DC, TypedefNameDecl *NewTD, 6504 LookupResult &Previous, bool &Redeclaration) { 6505 6506 // Find the shadowed declaration before filtering for scope. 6507 NamedDecl *ShadowedDecl = getShadowedDeclaration(NewTD, Previous); 6508 6509 // Merge the decl with the existing one if appropriate. If the decl is 6510 // in an outer scope, it isn't the same thing. 6511 FilterLookupForScope(Previous, DC, S, /*ConsiderLinkage*/false, 6512 /*AllowInlineNamespace*/false); 6513 filterNonConflictingPreviousTypedefDecls(*this, NewTD, Previous); 6514 if (!Previous.empty()) { 6515 Redeclaration = true; 6516 MergeTypedefNameDecl(S, NewTD, Previous); 6517 } else { 6518 inferGslPointerAttribute(NewTD); 6519 } 6520 6521 if (ShadowedDecl && !Redeclaration) 6522 CheckShadow(NewTD, ShadowedDecl, Previous); 6523 6524 // If this is the C FILE type, notify the AST context. 6525 if (IdentifierInfo *II = NewTD->getIdentifier()) 6526 if (!NewTD->isInvalidDecl() && 6527 NewTD->getDeclContext()->getRedeclContext()->isTranslationUnit()) { 6528 if (II->isStr("FILE")) 6529 Context.setFILEDecl(NewTD); 6530 else if (II->isStr("jmp_buf")) 6531 Context.setjmp_bufDecl(NewTD); 6532 else if (II->isStr("sigjmp_buf")) 6533 Context.setsigjmp_bufDecl(NewTD); 6534 else if (II->isStr("ucontext_t")) 6535 Context.setucontext_tDecl(NewTD); 6536 } 6537 6538 return NewTD; 6539 } 6540 6541 /// Determines whether the given declaration is an out-of-scope 6542 /// previous declaration. 6543 /// 6544 /// This routine should be invoked when name lookup has found a 6545 /// previous declaration (PrevDecl) that is not in the scope where a 6546 /// new declaration by the same name is being introduced. If the new 6547 /// declaration occurs in a local scope, previous declarations with 6548 /// linkage may still be considered previous declarations (C99 6549 /// 6.2.2p4-5, C++ [basic.link]p6). 6550 /// 6551 /// \param PrevDecl the previous declaration found by name 6552 /// lookup 6553 /// 6554 /// \param DC the context in which the new declaration is being 6555 /// declared. 6556 /// 6557 /// \returns true if PrevDecl is an out-of-scope previous declaration 6558 /// for a new delcaration with the same name. 6559 static bool 6560 isOutOfScopePreviousDeclaration(NamedDecl *PrevDecl, DeclContext *DC, 6561 ASTContext &Context) { 6562 if (!PrevDecl) 6563 return false; 6564 6565 if (!PrevDecl->hasLinkage()) 6566 return false; 6567 6568 if (Context.getLangOpts().CPlusPlus) { 6569 // C++ [basic.link]p6: 6570 // If there is a visible declaration of an entity with linkage 6571 // having the same name and type, ignoring entities declared 6572 // outside the innermost enclosing namespace scope, the block 6573 // scope declaration declares that same entity and receives the 6574 // linkage of the previous declaration. 6575 DeclContext *OuterContext = DC->getRedeclContext(); 6576 if (!OuterContext->isFunctionOrMethod()) 6577 // This rule only applies to block-scope declarations. 6578 return false; 6579 6580 DeclContext *PrevOuterContext = PrevDecl->getDeclContext(); 6581 if (PrevOuterContext->isRecord()) 6582 // We found a member function: ignore it. 6583 return false; 6584 6585 // Find the innermost enclosing namespace for the new and 6586 // previous declarations. 6587 OuterContext = OuterContext->getEnclosingNamespaceContext(); 6588 PrevOuterContext = PrevOuterContext->getEnclosingNamespaceContext(); 6589 6590 // The previous declaration is in a different namespace, so it 6591 // isn't the same function. 6592 if (!OuterContext->Equals(PrevOuterContext)) 6593 return false; 6594 } 6595 6596 return true; 6597 } 6598 6599 static void SetNestedNameSpecifier(Sema &S, DeclaratorDecl *DD, Declarator &D) { 6600 CXXScopeSpec &SS = D.getCXXScopeSpec(); 6601 if (!SS.isSet()) return; 6602 DD->setQualifierInfo(SS.getWithLocInContext(S.Context)); 6603 } 6604 6605 bool Sema::inferObjCARCLifetime(ValueDecl *decl) { 6606 QualType type = decl->getType(); 6607 Qualifiers::ObjCLifetime lifetime = type.getObjCLifetime(); 6608 if (lifetime == Qualifiers::OCL_Autoreleasing) { 6609 // Various kinds of declaration aren't allowed to be __autoreleasing. 6610 unsigned kind = -1U; 6611 if (VarDecl *var = dyn_cast<VarDecl>(decl)) { 6612 if (var->hasAttr<BlocksAttr>()) 6613 kind = 0; // __block 6614 else if (!var->hasLocalStorage()) 6615 kind = 1; // global 6616 } else if (isa<ObjCIvarDecl>(decl)) { 6617 kind = 3; // ivar 6618 } else if (isa<FieldDecl>(decl)) { 6619 kind = 2; // field 6620 } 6621 6622 if (kind != -1U) { 6623 Diag(decl->getLocation(), diag::err_arc_autoreleasing_var) 6624 << kind; 6625 } 6626 } else if (lifetime == Qualifiers::OCL_None) { 6627 // Try to infer lifetime. 6628 if (!type->isObjCLifetimeType()) 6629 return false; 6630 6631 lifetime = type->getObjCARCImplicitLifetime(); 6632 type = Context.getLifetimeQualifiedType(type, lifetime); 6633 decl->setType(type); 6634 } 6635 6636 if (VarDecl *var = dyn_cast<VarDecl>(decl)) { 6637 // Thread-local variables cannot have lifetime. 6638 if (lifetime && lifetime != Qualifiers::OCL_ExplicitNone && 6639 var->getTLSKind()) { 6640 Diag(var->getLocation(), diag::err_arc_thread_ownership) 6641 << var->getType(); 6642 return true; 6643 } 6644 } 6645 6646 return false; 6647 } 6648 6649 void Sema::deduceOpenCLAddressSpace(ValueDecl *Decl) { 6650 if (Decl->getType().hasAddressSpace()) 6651 return; 6652 if (Decl->getType()->isDependentType()) 6653 return; 6654 if (VarDecl *Var = dyn_cast<VarDecl>(Decl)) { 6655 QualType Type = Var->getType(); 6656 if (Type->isSamplerT() || Type->isVoidType()) 6657 return; 6658 LangAS ImplAS = LangAS::opencl_private; 6659 // OpenCL C v3.0 s6.7.8 - For OpenCL C 2.0 or with the 6660 // __opencl_c_program_scope_global_variables feature, the address space 6661 // for a variable at program scope or a static or extern variable inside 6662 // a function are inferred to be __global. 6663 if (getOpenCLOptions().areProgramScopeVariablesSupported(getLangOpts()) && 6664 Var->hasGlobalStorage()) 6665 ImplAS = LangAS::opencl_global; 6666 // If the original type from a decayed type is an array type and that array 6667 // type has no address space yet, deduce it now. 6668 if (auto DT = dyn_cast<DecayedType>(Type)) { 6669 auto OrigTy = DT->getOriginalType(); 6670 if (!OrigTy.hasAddressSpace() && OrigTy->isArrayType()) { 6671 // Add the address space to the original array type and then propagate 6672 // that to the element type through `getAsArrayType`. 6673 OrigTy = Context.getAddrSpaceQualType(OrigTy, ImplAS); 6674 OrigTy = QualType(Context.getAsArrayType(OrigTy), 0); 6675 // Re-generate the decayed type. 6676 Type = Context.getDecayedType(OrigTy); 6677 } 6678 } 6679 Type = Context.getAddrSpaceQualType(Type, ImplAS); 6680 // Apply any qualifiers (including address space) from the array type to 6681 // the element type. This implements C99 6.7.3p8: "If the specification of 6682 // an array type includes any type qualifiers, the element type is so 6683 // qualified, not the array type." 6684 if (Type->isArrayType()) 6685 Type = QualType(Context.getAsArrayType(Type), 0); 6686 Decl->setType(Type); 6687 } 6688 } 6689 6690 static void checkAttributesAfterMerging(Sema &S, NamedDecl &ND) { 6691 // Ensure that an auto decl is deduced otherwise the checks below might cache 6692 // the wrong linkage. 6693 assert(S.ParsingInitForAutoVars.count(&ND) == 0); 6694 6695 // 'weak' only applies to declarations with external linkage. 6696 if (WeakAttr *Attr = ND.getAttr<WeakAttr>()) { 6697 if (!ND.isExternallyVisible()) { 6698 S.Diag(Attr->getLocation(), diag::err_attribute_weak_static); 6699 ND.dropAttr<WeakAttr>(); 6700 } 6701 } 6702 if (WeakRefAttr *Attr = ND.getAttr<WeakRefAttr>()) { 6703 if (ND.isExternallyVisible()) { 6704 S.Diag(Attr->getLocation(), diag::err_attribute_weakref_not_static); 6705 ND.dropAttr<WeakRefAttr>(); 6706 ND.dropAttr<AliasAttr>(); 6707 } 6708 } 6709 6710 if (auto *VD = dyn_cast<VarDecl>(&ND)) { 6711 if (VD->hasInit()) { 6712 if (const auto *Attr = VD->getAttr<AliasAttr>()) { 6713 assert(VD->isThisDeclarationADefinition() && 6714 !VD->isExternallyVisible() && "Broken AliasAttr handled late!"); 6715 S.Diag(Attr->getLocation(), diag::err_alias_is_definition) << VD << 0; 6716 VD->dropAttr<AliasAttr>(); 6717 } 6718 } 6719 } 6720 6721 // 'selectany' only applies to externally visible variable declarations. 6722 // It does not apply to functions. 6723 if (SelectAnyAttr *Attr = ND.getAttr<SelectAnyAttr>()) { 6724 if (isa<FunctionDecl>(ND) || !ND.isExternallyVisible()) { 6725 S.Diag(Attr->getLocation(), 6726 diag::err_attribute_selectany_non_extern_data); 6727 ND.dropAttr<SelectAnyAttr>(); 6728 } 6729 } 6730 6731 if (const InheritableAttr *Attr = getDLLAttr(&ND)) { 6732 auto *VD = dyn_cast<VarDecl>(&ND); 6733 bool IsAnonymousNS = false; 6734 bool IsMicrosoft = S.Context.getTargetInfo().getCXXABI().isMicrosoft(); 6735 if (VD) { 6736 const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(VD->getDeclContext()); 6737 while (NS && !IsAnonymousNS) { 6738 IsAnonymousNS = NS->isAnonymousNamespace(); 6739 NS = dyn_cast<NamespaceDecl>(NS->getParent()); 6740 } 6741 } 6742 // dll attributes require external linkage. Static locals may have external 6743 // linkage but still cannot be explicitly imported or exported. 6744 // In Microsoft mode, a variable defined in anonymous namespace must have 6745 // external linkage in order to be exported. 6746 bool AnonNSInMicrosoftMode = IsAnonymousNS && IsMicrosoft; 6747 if ((ND.isExternallyVisible() && AnonNSInMicrosoftMode) || 6748 (!AnonNSInMicrosoftMode && 6749 (!ND.isExternallyVisible() || (VD && VD->isStaticLocal())))) { 6750 S.Diag(ND.getLocation(), diag::err_attribute_dll_not_extern) 6751 << &ND << Attr; 6752 ND.setInvalidDecl(); 6753 } 6754 } 6755 6756 // Check the attributes on the function type, if any. 6757 if (const auto *FD = dyn_cast<FunctionDecl>(&ND)) { 6758 // Don't declare this variable in the second operand of the for-statement; 6759 // GCC miscompiles that by ending its lifetime before evaluating the 6760 // third operand. See gcc.gnu.org/PR86769. 6761 AttributedTypeLoc ATL; 6762 for (TypeLoc TL = FD->getTypeSourceInfo()->getTypeLoc(); 6763 (ATL = TL.getAsAdjusted<AttributedTypeLoc>()); 6764 TL = ATL.getModifiedLoc()) { 6765 // The [[lifetimebound]] attribute can be applied to the implicit object 6766 // parameter of a non-static member function (other than a ctor or dtor) 6767 // by applying it to the function type. 6768 if (const auto *A = ATL.getAttrAs<LifetimeBoundAttr>()) { 6769 const auto *MD = dyn_cast<CXXMethodDecl>(FD); 6770 if (!MD || MD->isStatic()) { 6771 S.Diag(A->getLocation(), diag::err_lifetimebound_no_object_param) 6772 << !MD << A->getRange(); 6773 } else if (isa<CXXConstructorDecl>(MD) || isa<CXXDestructorDecl>(MD)) { 6774 S.Diag(A->getLocation(), diag::err_lifetimebound_ctor_dtor) 6775 << isa<CXXDestructorDecl>(MD) << A->getRange(); 6776 } 6777 } 6778 } 6779 } 6780 } 6781 6782 static void checkDLLAttributeRedeclaration(Sema &S, NamedDecl *OldDecl, 6783 NamedDecl *NewDecl, 6784 bool IsSpecialization, 6785 bool IsDefinition) { 6786 if (OldDecl->isInvalidDecl() || NewDecl->isInvalidDecl()) 6787 return; 6788 6789 bool IsTemplate = false; 6790 if (TemplateDecl *OldTD = dyn_cast<TemplateDecl>(OldDecl)) { 6791 OldDecl = OldTD->getTemplatedDecl(); 6792 IsTemplate = true; 6793 if (!IsSpecialization) 6794 IsDefinition = false; 6795 } 6796 if (TemplateDecl *NewTD = dyn_cast<TemplateDecl>(NewDecl)) { 6797 NewDecl = NewTD->getTemplatedDecl(); 6798 IsTemplate = true; 6799 } 6800 6801 if (!OldDecl || !NewDecl) 6802 return; 6803 6804 const DLLImportAttr *OldImportAttr = OldDecl->getAttr<DLLImportAttr>(); 6805 const DLLExportAttr *OldExportAttr = OldDecl->getAttr<DLLExportAttr>(); 6806 const DLLImportAttr *NewImportAttr = NewDecl->getAttr<DLLImportAttr>(); 6807 const DLLExportAttr *NewExportAttr = NewDecl->getAttr<DLLExportAttr>(); 6808 6809 // dllimport and dllexport are inheritable attributes so we have to exclude 6810 // inherited attribute instances. 6811 bool HasNewAttr = (NewImportAttr && !NewImportAttr->isInherited()) || 6812 (NewExportAttr && !NewExportAttr->isInherited()); 6813 6814 // A redeclaration is not allowed to add a dllimport or dllexport attribute, 6815 // the only exception being explicit specializations. 6816 // Implicitly generated declarations are also excluded for now because there 6817 // is no other way to switch these to use dllimport or dllexport. 6818 bool AddsAttr = !(OldImportAttr || OldExportAttr) && HasNewAttr; 6819 6820 if (AddsAttr && !IsSpecialization && !OldDecl->isImplicit()) { 6821 // Allow with a warning for free functions and global variables. 6822 bool JustWarn = false; 6823 if (!OldDecl->isCXXClassMember()) { 6824 auto *VD = dyn_cast<VarDecl>(OldDecl); 6825 if (VD && !VD->getDescribedVarTemplate()) 6826 JustWarn = true; 6827 auto *FD = dyn_cast<FunctionDecl>(OldDecl); 6828 if (FD && FD->getTemplatedKind() == FunctionDecl::TK_NonTemplate) 6829 JustWarn = true; 6830 } 6831 6832 // We cannot change a declaration that's been used because IR has already 6833 // been emitted. Dllimported functions will still work though (modulo 6834 // address equality) as they can use the thunk. 6835 if (OldDecl->isUsed()) 6836 if (!isa<FunctionDecl>(OldDecl) || !NewImportAttr) 6837 JustWarn = false; 6838 6839 unsigned DiagID = JustWarn ? diag::warn_attribute_dll_redeclaration 6840 : diag::err_attribute_dll_redeclaration; 6841 S.Diag(NewDecl->getLocation(), DiagID) 6842 << NewDecl 6843 << (NewImportAttr ? (const Attr *)NewImportAttr : NewExportAttr); 6844 S.Diag(OldDecl->getLocation(), diag::note_previous_declaration); 6845 if (!JustWarn) { 6846 NewDecl->setInvalidDecl(); 6847 return; 6848 } 6849 } 6850 6851 // A redeclaration is not allowed to drop a dllimport attribute, the only 6852 // exceptions being inline function definitions (except for function 6853 // templates), local extern declarations, qualified friend declarations or 6854 // special MSVC extension: in the last case, the declaration is treated as if 6855 // it were marked dllexport. 6856 bool IsInline = false, IsStaticDataMember = false, IsQualifiedFriend = false; 6857 bool IsMicrosoftABI = S.Context.getTargetInfo().shouldDLLImportComdatSymbols(); 6858 if (const auto *VD = dyn_cast<VarDecl>(NewDecl)) { 6859 // Ignore static data because out-of-line definitions are diagnosed 6860 // separately. 6861 IsStaticDataMember = VD->isStaticDataMember(); 6862 IsDefinition = VD->isThisDeclarationADefinition(S.Context) != 6863 VarDecl::DeclarationOnly; 6864 } else if (const auto *FD = dyn_cast<FunctionDecl>(NewDecl)) { 6865 IsInline = FD->isInlined(); 6866 IsQualifiedFriend = FD->getQualifier() && 6867 FD->getFriendObjectKind() == Decl::FOK_Declared; 6868 } 6869 6870 if (OldImportAttr && !HasNewAttr && 6871 (!IsInline || (IsMicrosoftABI && IsTemplate)) && !IsStaticDataMember && 6872 !NewDecl->isLocalExternDecl() && !IsQualifiedFriend) { 6873 if (IsMicrosoftABI && IsDefinition) { 6874 S.Diag(NewDecl->getLocation(), 6875 diag::warn_redeclaration_without_import_attribute) 6876 << NewDecl; 6877 S.Diag(OldDecl->getLocation(), diag::note_previous_declaration); 6878 NewDecl->dropAttr<DLLImportAttr>(); 6879 NewDecl->addAttr( 6880 DLLExportAttr::CreateImplicit(S.Context, NewImportAttr->getRange())); 6881 } else { 6882 S.Diag(NewDecl->getLocation(), 6883 diag::warn_redeclaration_without_attribute_prev_attribute_ignored) 6884 << NewDecl << OldImportAttr; 6885 S.Diag(OldDecl->getLocation(), diag::note_previous_declaration); 6886 S.Diag(OldImportAttr->getLocation(), diag::note_previous_attribute); 6887 OldDecl->dropAttr<DLLImportAttr>(); 6888 NewDecl->dropAttr<DLLImportAttr>(); 6889 } 6890 } else if (IsInline && OldImportAttr && !IsMicrosoftABI) { 6891 // In MinGW, seeing a function declared inline drops the dllimport 6892 // attribute. 6893 OldDecl->dropAttr<DLLImportAttr>(); 6894 NewDecl->dropAttr<DLLImportAttr>(); 6895 S.Diag(NewDecl->getLocation(), 6896 diag::warn_dllimport_dropped_from_inline_function) 6897 << NewDecl << OldImportAttr; 6898 } 6899 6900 // A specialization of a class template member function is processed here 6901 // since it's a redeclaration. If the parent class is dllexport, the 6902 // specialization inherits that attribute. This doesn't happen automatically 6903 // since the parent class isn't instantiated until later. 6904 if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewDecl)) { 6905 if (MD->getTemplatedKind() == FunctionDecl::TK_MemberSpecialization && 6906 !NewImportAttr && !NewExportAttr) { 6907 if (const DLLExportAttr *ParentExportAttr = 6908 MD->getParent()->getAttr<DLLExportAttr>()) { 6909 DLLExportAttr *NewAttr = ParentExportAttr->clone(S.Context); 6910 NewAttr->setInherited(true); 6911 NewDecl->addAttr(NewAttr); 6912 } 6913 } 6914 } 6915 } 6916 6917 /// Given that we are within the definition of the given function, 6918 /// will that definition behave like C99's 'inline', where the 6919 /// definition is discarded except for optimization purposes? 6920 static bool isFunctionDefinitionDiscarded(Sema &S, FunctionDecl *FD) { 6921 // Try to avoid calling GetGVALinkageForFunction. 6922 6923 // All cases of this require the 'inline' keyword. 6924 if (!FD->isInlined()) return false; 6925 6926 // This is only possible in C++ with the gnu_inline attribute. 6927 if (S.getLangOpts().CPlusPlus && !FD->hasAttr<GNUInlineAttr>()) 6928 return false; 6929 6930 // Okay, go ahead and call the relatively-more-expensive function. 6931 return S.Context.GetGVALinkageForFunction(FD) == GVA_AvailableExternally; 6932 } 6933 6934 /// Determine whether a variable is extern "C" prior to attaching 6935 /// an initializer. We can't just call isExternC() here, because that 6936 /// will also compute and cache whether the declaration is externally 6937 /// visible, which might change when we attach the initializer. 6938 /// 6939 /// This can only be used if the declaration is known to not be a 6940 /// redeclaration of an internal linkage declaration. 6941 /// 6942 /// For instance: 6943 /// 6944 /// auto x = []{}; 6945 /// 6946 /// Attaching the initializer here makes this declaration not externally 6947 /// visible, because its type has internal linkage. 6948 /// 6949 /// FIXME: This is a hack. 6950 template<typename T> 6951 static bool isIncompleteDeclExternC(Sema &S, const T *D) { 6952 if (S.getLangOpts().CPlusPlus) { 6953 // In C++, the overloadable attribute negates the effects of extern "C". 6954 if (!D->isInExternCContext() || D->template hasAttr<OverloadableAttr>()) 6955 return false; 6956 6957 // So do CUDA's host/device attributes. 6958 if (S.getLangOpts().CUDA && (D->template hasAttr<CUDADeviceAttr>() || 6959 D->template hasAttr<CUDAHostAttr>())) 6960 return false; 6961 } 6962 return D->isExternC(); 6963 } 6964 6965 static bool shouldConsiderLinkage(const VarDecl *VD) { 6966 const DeclContext *DC = VD->getDeclContext()->getRedeclContext(); 6967 if (DC->isFunctionOrMethod() || isa<OMPDeclareReductionDecl>(DC) || 6968 isa<OMPDeclareMapperDecl>(DC)) 6969 return VD->hasExternalStorage(); 6970 if (DC->isFileContext()) 6971 return true; 6972 if (DC->isRecord()) 6973 return false; 6974 if (isa<RequiresExprBodyDecl>(DC)) 6975 return false; 6976 llvm_unreachable("Unexpected context"); 6977 } 6978 6979 static bool shouldConsiderLinkage(const FunctionDecl *FD) { 6980 const DeclContext *DC = FD->getDeclContext()->getRedeclContext(); 6981 if (DC->isFileContext() || DC->isFunctionOrMethod() || 6982 isa<OMPDeclareReductionDecl>(DC) || isa<OMPDeclareMapperDecl>(DC)) 6983 return true; 6984 if (DC->isRecord()) 6985 return false; 6986 llvm_unreachable("Unexpected context"); 6987 } 6988 6989 static bool hasParsedAttr(Scope *S, const Declarator &PD, 6990 ParsedAttr::Kind Kind) { 6991 // Check decl attributes on the DeclSpec. 6992 if (PD.getDeclSpec().getAttributes().hasAttribute(Kind)) 6993 return true; 6994 6995 // Walk the declarator structure, checking decl attributes that were in a type 6996 // position to the decl itself. 6997 for (unsigned I = 0, E = PD.getNumTypeObjects(); I != E; ++I) { 6998 if (PD.getTypeObject(I).getAttrs().hasAttribute(Kind)) 6999 return true; 7000 } 7001 7002 // Finally, check attributes on the decl itself. 7003 return PD.getAttributes().hasAttribute(Kind); 7004 } 7005 7006 /// Adjust the \c DeclContext for a function or variable that might be a 7007 /// function-local external declaration. 7008 bool Sema::adjustContextForLocalExternDecl(DeclContext *&DC) { 7009 if (!DC->isFunctionOrMethod()) 7010 return false; 7011 7012 // If this is a local extern function or variable declared within a function 7013 // template, don't add it into the enclosing namespace scope until it is 7014 // instantiated; it might have a dependent type right now. 7015 if (DC->isDependentContext()) 7016 return true; 7017 7018 // C++11 [basic.link]p7: 7019 // When a block scope declaration of an entity with linkage is not found to 7020 // refer to some other declaration, then that entity is a member of the 7021 // innermost enclosing namespace. 7022 // 7023 // Per C++11 [namespace.def]p6, the innermost enclosing namespace is a 7024 // semantically-enclosing namespace, not a lexically-enclosing one. 7025 while (!DC->isFileContext() && !isa<LinkageSpecDecl>(DC)) 7026 DC = DC->getParent(); 7027 return true; 7028 } 7029 7030 /// Returns true if given declaration has external C language linkage. 7031 static bool isDeclExternC(const Decl *D) { 7032 if (const auto *FD = dyn_cast<FunctionDecl>(D)) 7033 return FD->isExternC(); 7034 if (const auto *VD = dyn_cast<VarDecl>(D)) 7035 return VD->isExternC(); 7036 7037 llvm_unreachable("Unknown type of decl!"); 7038 } 7039 7040 /// Returns true if there hasn't been any invalid type diagnosed. 7041 static bool diagnoseOpenCLTypes(Sema &Se, VarDecl *NewVD) { 7042 DeclContext *DC = NewVD->getDeclContext(); 7043 QualType R = NewVD->getType(); 7044 7045 // OpenCL v2.0 s6.9.b - Image type can only be used as a function argument. 7046 // OpenCL v2.0 s6.13.16.1 - Pipe type can only be used as a function 7047 // argument. 7048 if (R->isImageType() || R->isPipeType()) { 7049 Se.Diag(NewVD->getLocation(), 7050 diag::err_opencl_type_can_only_be_used_as_function_parameter) 7051 << R; 7052 NewVD->setInvalidDecl(); 7053 return false; 7054 } 7055 7056 // OpenCL v1.2 s6.9.r: 7057 // The event type cannot be used to declare a program scope variable. 7058 // OpenCL v2.0 s6.9.q: 7059 // The clk_event_t and reserve_id_t types cannot be declared in program 7060 // scope. 7061 if (NewVD->hasGlobalStorage() && !NewVD->isStaticLocal()) { 7062 if (R->isReserveIDT() || R->isClkEventT() || R->isEventT()) { 7063 Se.Diag(NewVD->getLocation(), 7064 diag::err_invalid_type_for_program_scope_var) 7065 << R; 7066 NewVD->setInvalidDecl(); 7067 return false; 7068 } 7069 } 7070 7071 // OpenCL v1.0 s6.8.a.3: Pointers to functions are not allowed. 7072 if (!Se.getOpenCLOptions().isAvailableOption("__cl_clang_function_pointers", 7073 Se.getLangOpts())) { 7074 QualType NR = R.getCanonicalType(); 7075 while (NR->isPointerType() || NR->isMemberFunctionPointerType() || 7076 NR->isReferenceType()) { 7077 if (NR->isFunctionPointerType() || NR->isMemberFunctionPointerType() || 7078 NR->isFunctionReferenceType()) { 7079 Se.Diag(NewVD->getLocation(), diag::err_opencl_function_pointer) 7080 << NR->isReferenceType(); 7081 NewVD->setInvalidDecl(); 7082 return false; 7083 } 7084 NR = NR->getPointeeType(); 7085 } 7086 } 7087 7088 if (!Se.getOpenCLOptions().isAvailableOption("cl_khr_fp16", 7089 Se.getLangOpts())) { 7090 // OpenCL v1.2 s6.1.1.1: reject declaring variables of the half and 7091 // half array type (unless the cl_khr_fp16 extension is enabled). 7092 if (Se.Context.getBaseElementType(R)->isHalfType()) { 7093 Se.Diag(NewVD->getLocation(), diag::err_opencl_half_declaration) << R; 7094 NewVD->setInvalidDecl(); 7095 return false; 7096 } 7097 } 7098 7099 // OpenCL v1.2 s6.9.r: 7100 // The event type cannot be used with the __local, __constant and __global 7101 // address space qualifiers. 7102 if (R->isEventT()) { 7103 if (R.getAddressSpace() != LangAS::opencl_private) { 7104 Se.Diag(NewVD->getBeginLoc(), diag::err_event_t_addr_space_qual); 7105 NewVD->setInvalidDecl(); 7106 return false; 7107 } 7108 } 7109 7110 if (R->isSamplerT()) { 7111 // OpenCL v1.2 s6.9.b p4: 7112 // The sampler type cannot be used with the __local and __global address 7113 // space qualifiers. 7114 if (R.getAddressSpace() == LangAS::opencl_local || 7115 R.getAddressSpace() == LangAS::opencl_global) { 7116 Se.Diag(NewVD->getLocation(), diag::err_wrong_sampler_addressspace); 7117 NewVD->setInvalidDecl(); 7118 } 7119 7120 // OpenCL v1.2 s6.12.14.1: 7121 // A global sampler must be declared with either the constant address 7122 // space qualifier or with the const qualifier. 7123 if (DC->isTranslationUnit() && 7124 !(R.getAddressSpace() == LangAS::opencl_constant || 7125 R.isConstQualified())) { 7126 Se.Diag(NewVD->getLocation(), diag::err_opencl_nonconst_global_sampler); 7127 NewVD->setInvalidDecl(); 7128 } 7129 if (NewVD->isInvalidDecl()) 7130 return false; 7131 } 7132 7133 return true; 7134 } 7135 7136 template <typename AttrTy> 7137 static void copyAttrFromTypedefToDecl(Sema &S, Decl *D, const TypedefType *TT) { 7138 const TypedefNameDecl *TND = TT->getDecl(); 7139 if (const auto *Attribute = TND->getAttr<AttrTy>()) { 7140 AttrTy *Clone = Attribute->clone(S.Context); 7141 Clone->setInherited(true); 7142 D->addAttr(Clone); 7143 } 7144 } 7145 7146 NamedDecl *Sema::ActOnVariableDeclarator( 7147 Scope *S, Declarator &D, DeclContext *DC, TypeSourceInfo *TInfo, 7148 LookupResult &Previous, MultiTemplateParamsArg TemplateParamLists, 7149 bool &AddToScope, ArrayRef<BindingDecl *> Bindings) { 7150 QualType R = TInfo->getType(); 7151 DeclarationName Name = GetNameForDeclarator(D).getName(); 7152 7153 IdentifierInfo *II = Name.getAsIdentifierInfo(); 7154 7155 if (D.isDecompositionDeclarator()) { 7156 // Take the name of the first declarator as our name for diagnostic 7157 // purposes. 7158 auto &Decomp = D.getDecompositionDeclarator(); 7159 if (!Decomp.bindings().empty()) { 7160 II = Decomp.bindings()[0].Name; 7161 Name = II; 7162 } 7163 } else if (!II) { 7164 Diag(D.getIdentifierLoc(), diag::err_bad_variable_name) << Name; 7165 return nullptr; 7166 } 7167 7168 7169 DeclSpec::SCS SCSpec = D.getDeclSpec().getStorageClassSpec(); 7170 StorageClass SC = StorageClassSpecToVarDeclStorageClass(D.getDeclSpec()); 7171 7172 // dllimport globals without explicit storage class are treated as extern. We 7173 // have to change the storage class this early to get the right DeclContext. 7174 if (SC == SC_None && !DC->isRecord() && 7175 hasParsedAttr(S, D, ParsedAttr::AT_DLLImport) && 7176 !hasParsedAttr(S, D, ParsedAttr::AT_DLLExport)) 7177 SC = SC_Extern; 7178 7179 DeclContext *OriginalDC = DC; 7180 bool IsLocalExternDecl = SC == SC_Extern && 7181 adjustContextForLocalExternDecl(DC); 7182 7183 if (SCSpec == DeclSpec::SCS_mutable) { 7184 // mutable can only appear on non-static class members, so it's always 7185 // an error here 7186 Diag(D.getIdentifierLoc(), diag::err_mutable_nonmember); 7187 D.setInvalidType(); 7188 SC = SC_None; 7189 } 7190 7191 if (getLangOpts().CPlusPlus11 && SCSpec == DeclSpec::SCS_register && 7192 !D.getAsmLabel() && !getSourceManager().isInSystemMacro( 7193 D.getDeclSpec().getStorageClassSpecLoc())) { 7194 // In C++11, the 'register' storage class specifier is deprecated. 7195 // Suppress the warning in system macros, it's used in macros in some 7196 // popular C system headers, such as in glibc's htonl() macro. 7197 Diag(D.getDeclSpec().getStorageClassSpecLoc(), 7198 getLangOpts().CPlusPlus17 ? diag::ext_register_storage_class 7199 : diag::warn_deprecated_register) 7200 << FixItHint::CreateRemoval(D.getDeclSpec().getStorageClassSpecLoc()); 7201 } 7202 7203 DiagnoseFunctionSpecifiers(D.getDeclSpec()); 7204 7205 if (!DC->isRecord() && S->getFnParent() == nullptr) { 7206 // C99 6.9p2: The storage-class specifiers auto and register shall not 7207 // appear in the declaration specifiers in an external declaration. 7208 // Global Register+Asm is a GNU extension we support. 7209 if (SC == SC_Auto || (SC == SC_Register && !D.getAsmLabel())) { 7210 Diag(D.getIdentifierLoc(), diag::err_typecheck_sclass_fscope); 7211 D.setInvalidType(); 7212 } 7213 } 7214 7215 // If this variable has a VLA type and an initializer, try to 7216 // fold to a constant-sized type. This is otherwise invalid. 7217 if (D.hasInitializer() && R->isVariableArrayType()) 7218 tryToFixVariablyModifiedVarType(TInfo, R, D.getIdentifierLoc(), 7219 /*DiagID=*/0); 7220 7221 bool IsMemberSpecialization = false; 7222 bool IsVariableTemplateSpecialization = false; 7223 bool IsPartialSpecialization = false; 7224 bool IsVariableTemplate = false; 7225 VarDecl *NewVD = nullptr; 7226 VarTemplateDecl *NewTemplate = nullptr; 7227 TemplateParameterList *TemplateParams = nullptr; 7228 if (!getLangOpts().CPlusPlus) { 7229 NewVD = VarDecl::Create(Context, DC, D.getBeginLoc(), D.getIdentifierLoc(), 7230 II, R, TInfo, SC); 7231 7232 if (R->getContainedDeducedType()) 7233 ParsingInitForAutoVars.insert(NewVD); 7234 7235 if (D.isInvalidType()) 7236 NewVD->setInvalidDecl(); 7237 7238 if (NewVD->getType().hasNonTrivialToPrimitiveDestructCUnion() && 7239 NewVD->hasLocalStorage()) 7240 checkNonTrivialCUnion(NewVD->getType(), NewVD->getLocation(), 7241 NTCUC_AutoVar, NTCUK_Destruct); 7242 } else { 7243 bool Invalid = false; 7244 7245 if (DC->isRecord() && !CurContext->isRecord()) { 7246 // This is an out-of-line definition of a static data member. 7247 switch (SC) { 7248 case SC_None: 7249 break; 7250 case SC_Static: 7251 Diag(D.getDeclSpec().getStorageClassSpecLoc(), 7252 diag::err_static_out_of_line) 7253 << FixItHint::CreateRemoval(D.getDeclSpec().getStorageClassSpecLoc()); 7254 break; 7255 case SC_Auto: 7256 case SC_Register: 7257 case SC_Extern: 7258 // [dcl.stc] p2: The auto or register specifiers shall be applied only 7259 // to names of variables declared in a block or to function parameters. 7260 // [dcl.stc] p6: The extern specifier cannot be used in the declaration 7261 // of class members 7262 7263 Diag(D.getDeclSpec().getStorageClassSpecLoc(), 7264 diag::err_storage_class_for_static_member) 7265 << FixItHint::CreateRemoval(D.getDeclSpec().getStorageClassSpecLoc()); 7266 break; 7267 case SC_PrivateExtern: 7268 llvm_unreachable("C storage class in c++!"); 7269 } 7270 } 7271 7272 if (SC == SC_Static && CurContext->isRecord()) { 7273 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(DC)) { 7274 // Walk up the enclosing DeclContexts to check for any that are 7275 // incompatible with static data members. 7276 const DeclContext *FunctionOrMethod = nullptr; 7277 const CXXRecordDecl *AnonStruct = nullptr; 7278 for (DeclContext *Ctxt = DC; Ctxt; Ctxt = Ctxt->getParent()) { 7279 if (Ctxt->isFunctionOrMethod()) { 7280 FunctionOrMethod = Ctxt; 7281 break; 7282 } 7283 const CXXRecordDecl *ParentDecl = dyn_cast<CXXRecordDecl>(Ctxt); 7284 if (ParentDecl && !ParentDecl->getDeclName()) { 7285 AnonStruct = ParentDecl; 7286 break; 7287 } 7288 } 7289 if (FunctionOrMethod) { 7290 // C++ [class.static.data]p5: A local class shall not have static data 7291 // members. 7292 Diag(D.getIdentifierLoc(), 7293 diag::err_static_data_member_not_allowed_in_local_class) 7294 << Name << RD->getDeclName() << RD->getTagKind(); 7295 } else if (AnonStruct) { 7296 // C++ [class.static.data]p4: Unnamed classes and classes contained 7297 // directly or indirectly within unnamed classes shall not contain 7298 // static data members. 7299 Diag(D.getIdentifierLoc(), 7300 diag::err_static_data_member_not_allowed_in_anon_struct) 7301 << Name << AnonStruct->getTagKind(); 7302 Invalid = true; 7303 } else if (RD->isUnion()) { 7304 // C++98 [class.union]p1: If a union contains a static data member, 7305 // the program is ill-formed. C++11 drops this restriction. 7306 Diag(D.getIdentifierLoc(), 7307 getLangOpts().CPlusPlus11 7308 ? diag::warn_cxx98_compat_static_data_member_in_union 7309 : diag::ext_static_data_member_in_union) << Name; 7310 } 7311 } 7312 } 7313 7314 // Match up the template parameter lists with the scope specifier, then 7315 // determine whether we have a template or a template specialization. 7316 bool InvalidScope = false; 7317 TemplateParams = MatchTemplateParametersToScopeSpecifier( 7318 D.getDeclSpec().getBeginLoc(), D.getIdentifierLoc(), 7319 D.getCXXScopeSpec(), 7320 D.getName().getKind() == UnqualifiedIdKind::IK_TemplateId 7321 ? D.getName().TemplateId 7322 : nullptr, 7323 TemplateParamLists, 7324 /*never a friend*/ false, IsMemberSpecialization, InvalidScope); 7325 Invalid |= InvalidScope; 7326 7327 if (TemplateParams) { 7328 if (!TemplateParams->size() && 7329 D.getName().getKind() != UnqualifiedIdKind::IK_TemplateId) { 7330 // There is an extraneous 'template<>' for this variable. Complain 7331 // about it, but allow the declaration of the variable. 7332 Diag(TemplateParams->getTemplateLoc(), 7333 diag::err_template_variable_noparams) 7334 << II 7335 << SourceRange(TemplateParams->getTemplateLoc(), 7336 TemplateParams->getRAngleLoc()); 7337 TemplateParams = nullptr; 7338 } else { 7339 // Check that we can declare a template here. 7340 if (CheckTemplateDeclScope(S, TemplateParams)) 7341 return nullptr; 7342 7343 if (D.getName().getKind() == UnqualifiedIdKind::IK_TemplateId) { 7344 // This is an explicit specialization or a partial specialization. 7345 IsVariableTemplateSpecialization = true; 7346 IsPartialSpecialization = TemplateParams->size() > 0; 7347 } else { // if (TemplateParams->size() > 0) 7348 // This is a template declaration. 7349 IsVariableTemplate = true; 7350 7351 // Only C++1y supports variable templates (N3651). 7352 Diag(D.getIdentifierLoc(), 7353 getLangOpts().CPlusPlus14 7354 ? diag::warn_cxx11_compat_variable_template 7355 : diag::ext_variable_template); 7356 } 7357 } 7358 } else { 7359 // Check that we can declare a member specialization here. 7360 if (!TemplateParamLists.empty() && IsMemberSpecialization && 7361 CheckTemplateDeclScope(S, TemplateParamLists.back())) 7362 return nullptr; 7363 assert((Invalid || 7364 D.getName().getKind() != UnqualifiedIdKind::IK_TemplateId) && 7365 "should have a 'template<>' for this decl"); 7366 } 7367 7368 if (IsVariableTemplateSpecialization) { 7369 SourceLocation TemplateKWLoc = 7370 TemplateParamLists.size() > 0 7371 ? TemplateParamLists[0]->getTemplateLoc() 7372 : SourceLocation(); 7373 DeclResult Res = ActOnVarTemplateSpecialization( 7374 S, D, TInfo, TemplateKWLoc, TemplateParams, SC, 7375 IsPartialSpecialization); 7376 if (Res.isInvalid()) 7377 return nullptr; 7378 NewVD = cast<VarDecl>(Res.get()); 7379 AddToScope = false; 7380 } else if (D.isDecompositionDeclarator()) { 7381 NewVD = DecompositionDecl::Create(Context, DC, D.getBeginLoc(), 7382 D.getIdentifierLoc(), R, TInfo, SC, 7383 Bindings); 7384 } else 7385 NewVD = VarDecl::Create(Context, DC, D.getBeginLoc(), 7386 D.getIdentifierLoc(), II, R, TInfo, SC); 7387 7388 // If this is supposed to be a variable template, create it as such. 7389 if (IsVariableTemplate) { 7390 NewTemplate = 7391 VarTemplateDecl::Create(Context, DC, D.getIdentifierLoc(), Name, 7392 TemplateParams, NewVD); 7393 NewVD->setDescribedVarTemplate(NewTemplate); 7394 } 7395 7396 // If this decl has an auto type in need of deduction, make a note of the 7397 // Decl so we can diagnose uses of it in its own initializer. 7398 if (R->getContainedDeducedType()) 7399 ParsingInitForAutoVars.insert(NewVD); 7400 7401 if (D.isInvalidType() || Invalid) { 7402 NewVD->setInvalidDecl(); 7403 if (NewTemplate) 7404 NewTemplate->setInvalidDecl(); 7405 } 7406 7407 SetNestedNameSpecifier(*this, NewVD, D); 7408 7409 // If we have any template parameter lists that don't directly belong to 7410 // the variable (matching the scope specifier), store them. 7411 unsigned VDTemplateParamLists = TemplateParams ? 1 : 0; 7412 if (TemplateParamLists.size() > VDTemplateParamLists) 7413 NewVD->setTemplateParameterListsInfo( 7414 Context, TemplateParamLists.drop_back(VDTemplateParamLists)); 7415 } 7416 7417 if (D.getDeclSpec().isInlineSpecified()) { 7418 if (!getLangOpts().CPlusPlus) { 7419 Diag(D.getDeclSpec().getInlineSpecLoc(), diag::err_inline_non_function) 7420 << 0; 7421 } else if (CurContext->isFunctionOrMethod()) { 7422 // 'inline' is not allowed on block scope variable declaration. 7423 Diag(D.getDeclSpec().getInlineSpecLoc(), 7424 diag::err_inline_declaration_block_scope) << Name 7425 << FixItHint::CreateRemoval(D.getDeclSpec().getInlineSpecLoc()); 7426 } else { 7427 Diag(D.getDeclSpec().getInlineSpecLoc(), 7428 getLangOpts().CPlusPlus17 ? diag::warn_cxx14_compat_inline_variable 7429 : diag::ext_inline_variable); 7430 NewVD->setInlineSpecified(); 7431 } 7432 } 7433 7434 // Set the lexical context. If the declarator has a C++ scope specifier, the 7435 // lexical context will be different from the semantic context. 7436 NewVD->setLexicalDeclContext(CurContext); 7437 if (NewTemplate) 7438 NewTemplate->setLexicalDeclContext(CurContext); 7439 7440 if (IsLocalExternDecl) { 7441 if (D.isDecompositionDeclarator()) 7442 for (auto *B : Bindings) 7443 B->setLocalExternDecl(); 7444 else 7445 NewVD->setLocalExternDecl(); 7446 } 7447 7448 bool EmitTLSUnsupportedError = false; 7449 if (DeclSpec::TSCS TSCS = D.getDeclSpec().getThreadStorageClassSpec()) { 7450 // C++11 [dcl.stc]p4: 7451 // When thread_local is applied to a variable of block scope the 7452 // storage-class-specifier static is implied if it does not appear 7453 // explicitly. 7454 // Core issue: 'static' is not implied if the variable is declared 7455 // 'extern'. 7456 if (NewVD->hasLocalStorage() && 7457 (SCSpec != DeclSpec::SCS_unspecified || 7458 TSCS != DeclSpec::TSCS_thread_local || 7459 !DC->isFunctionOrMethod())) 7460 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 7461 diag::err_thread_non_global) 7462 << DeclSpec::getSpecifierName(TSCS); 7463 else if (!Context.getTargetInfo().isTLSSupported()) { 7464 if (getLangOpts().CUDA || getLangOpts().OpenMPIsDevice || 7465 getLangOpts().SYCLIsDevice) { 7466 // Postpone error emission until we've collected attributes required to 7467 // figure out whether it's a host or device variable and whether the 7468 // error should be ignored. 7469 EmitTLSUnsupportedError = true; 7470 // We still need to mark the variable as TLS so it shows up in AST with 7471 // proper storage class for other tools to use even if we're not going 7472 // to emit any code for it. 7473 NewVD->setTSCSpec(TSCS); 7474 } else 7475 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 7476 diag::err_thread_unsupported); 7477 } else 7478 NewVD->setTSCSpec(TSCS); 7479 } 7480 7481 switch (D.getDeclSpec().getConstexprSpecifier()) { 7482 case ConstexprSpecKind::Unspecified: 7483 break; 7484 7485 case ConstexprSpecKind::Consteval: 7486 Diag(D.getDeclSpec().getConstexprSpecLoc(), 7487 diag::err_constexpr_wrong_decl_kind) 7488 << static_cast<int>(D.getDeclSpec().getConstexprSpecifier()); 7489 LLVM_FALLTHROUGH; 7490 7491 case ConstexprSpecKind::Constexpr: 7492 NewVD->setConstexpr(true); 7493 // C++1z [dcl.spec.constexpr]p1: 7494 // A static data member declared with the constexpr specifier is 7495 // implicitly an inline variable. 7496 if (NewVD->isStaticDataMember() && 7497 (getLangOpts().CPlusPlus17 || 7498 Context.getTargetInfo().getCXXABI().isMicrosoft())) 7499 NewVD->setImplicitlyInline(); 7500 break; 7501 7502 case ConstexprSpecKind::Constinit: 7503 if (!NewVD->hasGlobalStorage()) 7504 Diag(D.getDeclSpec().getConstexprSpecLoc(), 7505 diag::err_constinit_local_variable); 7506 else 7507 NewVD->addAttr(ConstInitAttr::Create( 7508 Context, D.getDeclSpec().getConstexprSpecLoc(), 7509 AttributeCommonInfo::AS_Keyword, ConstInitAttr::Keyword_constinit)); 7510 break; 7511 } 7512 7513 // C99 6.7.4p3 7514 // An inline definition of a function with external linkage shall 7515 // not contain a definition of a modifiable object with static or 7516 // thread storage duration... 7517 // We only apply this when the function is required to be defined 7518 // elsewhere, i.e. when the function is not 'extern inline'. Note 7519 // that a local variable with thread storage duration still has to 7520 // be marked 'static'. Also note that it's possible to get these 7521 // semantics in C++ using __attribute__((gnu_inline)). 7522 if (SC == SC_Static && S->getFnParent() != nullptr && 7523 !NewVD->getType().isConstQualified()) { 7524 FunctionDecl *CurFD = getCurFunctionDecl(); 7525 if (CurFD && isFunctionDefinitionDiscarded(*this, CurFD)) { 7526 Diag(D.getDeclSpec().getStorageClassSpecLoc(), 7527 diag::warn_static_local_in_extern_inline); 7528 MaybeSuggestAddingStaticToDecl(CurFD); 7529 } 7530 } 7531 7532 if (D.getDeclSpec().isModulePrivateSpecified()) { 7533 if (IsVariableTemplateSpecialization) 7534 Diag(NewVD->getLocation(), diag::err_module_private_specialization) 7535 << (IsPartialSpecialization ? 1 : 0) 7536 << FixItHint::CreateRemoval( 7537 D.getDeclSpec().getModulePrivateSpecLoc()); 7538 else if (IsMemberSpecialization) 7539 Diag(NewVD->getLocation(), diag::err_module_private_specialization) 7540 << 2 7541 << FixItHint::CreateRemoval(D.getDeclSpec().getModulePrivateSpecLoc()); 7542 else if (NewVD->hasLocalStorage()) 7543 Diag(NewVD->getLocation(), diag::err_module_private_local) 7544 << 0 << NewVD 7545 << SourceRange(D.getDeclSpec().getModulePrivateSpecLoc()) 7546 << FixItHint::CreateRemoval( 7547 D.getDeclSpec().getModulePrivateSpecLoc()); 7548 else { 7549 NewVD->setModulePrivate(); 7550 if (NewTemplate) 7551 NewTemplate->setModulePrivate(); 7552 for (auto *B : Bindings) 7553 B->setModulePrivate(); 7554 } 7555 } 7556 7557 if (getLangOpts().OpenCL) { 7558 deduceOpenCLAddressSpace(NewVD); 7559 7560 DeclSpec::TSCS TSC = D.getDeclSpec().getThreadStorageClassSpec(); 7561 if (TSC != TSCS_unspecified) { 7562 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 7563 diag::err_opencl_unknown_type_specifier) 7564 << getLangOpts().getOpenCLVersionString() 7565 << DeclSpec::getSpecifierName(TSC) << 1; 7566 NewVD->setInvalidDecl(); 7567 } 7568 } 7569 7570 // Handle attributes prior to checking for duplicates in MergeVarDecl 7571 ProcessDeclAttributes(S, NewVD, D); 7572 7573 // FIXME: This is probably the wrong location to be doing this and we should 7574 // probably be doing this for more attributes (especially for function 7575 // pointer attributes such as format, warn_unused_result, etc.). Ideally 7576 // the code to copy attributes would be generated by TableGen. 7577 if (R->isFunctionPointerType()) 7578 if (const auto *TT = R->getAs<TypedefType>()) 7579 copyAttrFromTypedefToDecl<AllocSizeAttr>(*this, NewVD, TT); 7580 7581 if (getLangOpts().CUDA || getLangOpts().OpenMPIsDevice || 7582 getLangOpts().SYCLIsDevice) { 7583 if (EmitTLSUnsupportedError && 7584 ((getLangOpts().CUDA && DeclAttrsMatchCUDAMode(getLangOpts(), NewVD)) || 7585 (getLangOpts().OpenMPIsDevice && 7586 OMPDeclareTargetDeclAttr::isDeclareTargetDeclaration(NewVD)))) 7587 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 7588 diag::err_thread_unsupported); 7589 7590 if (EmitTLSUnsupportedError && 7591 (LangOpts.SYCLIsDevice || (LangOpts.OpenMP && LangOpts.OpenMPIsDevice))) 7592 targetDiag(D.getIdentifierLoc(), diag::err_thread_unsupported); 7593 // CUDA B.2.5: "__shared__ and __constant__ variables have implied static 7594 // storage [duration]." 7595 if (SC == SC_None && S->getFnParent() != nullptr && 7596 (NewVD->hasAttr<CUDASharedAttr>() || 7597 NewVD->hasAttr<CUDAConstantAttr>())) { 7598 NewVD->setStorageClass(SC_Static); 7599 } 7600 } 7601 7602 // Ensure that dllimport globals without explicit storage class are treated as 7603 // extern. The storage class is set above using parsed attributes. Now we can 7604 // check the VarDecl itself. 7605 assert(!NewVD->hasAttr<DLLImportAttr>() || 7606 NewVD->getAttr<DLLImportAttr>()->isInherited() || 7607 NewVD->isStaticDataMember() || NewVD->getStorageClass() != SC_None); 7608 7609 // In auto-retain/release, infer strong retension for variables of 7610 // retainable type. 7611 if (getLangOpts().ObjCAutoRefCount && inferObjCARCLifetime(NewVD)) 7612 NewVD->setInvalidDecl(); 7613 7614 // Handle GNU asm-label extension (encoded as an attribute). 7615 if (Expr *E = (Expr*)D.getAsmLabel()) { 7616 // The parser guarantees this is a string. 7617 StringLiteral *SE = cast<StringLiteral>(E); 7618 StringRef Label = SE->getString(); 7619 if (S->getFnParent() != nullptr) { 7620 switch (SC) { 7621 case SC_None: 7622 case SC_Auto: 7623 Diag(E->getExprLoc(), diag::warn_asm_label_on_auto_decl) << Label; 7624 break; 7625 case SC_Register: 7626 // Local Named register 7627 if (!Context.getTargetInfo().isValidGCCRegisterName(Label) && 7628 DeclAttrsMatchCUDAMode(getLangOpts(), getCurFunctionDecl())) 7629 Diag(E->getExprLoc(), diag::err_asm_unknown_register_name) << Label; 7630 break; 7631 case SC_Static: 7632 case SC_Extern: 7633 case SC_PrivateExtern: 7634 break; 7635 } 7636 } else if (SC == SC_Register) { 7637 // Global Named register 7638 if (DeclAttrsMatchCUDAMode(getLangOpts(), NewVD)) { 7639 const auto &TI = Context.getTargetInfo(); 7640 bool HasSizeMismatch; 7641 7642 if (!TI.isValidGCCRegisterName(Label)) 7643 Diag(E->getExprLoc(), diag::err_asm_unknown_register_name) << Label; 7644 else if (!TI.validateGlobalRegisterVariable(Label, 7645 Context.getTypeSize(R), 7646 HasSizeMismatch)) 7647 Diag(E->getExprLoc(), diag::err_asm_invalid_global_var_reg) << Label; 7648 else if (HasSizeMismatch) 7649 Diag(E->getExprLoc(), diag::err_asm_register_size_mismatch) << Label; 7650 } 7651 7652 if (!R->isIntegralType(Context) && !R->isPointerType()) { 7653 Diag(D.getBeginLoc(), diag::err_asm_bad_register_type); 7654 NewVD->setInvalidDecl(true); 7655 } 7656 } 7657 7658 NewVD->addAttr(AsmLabelAttr::Create(Context, Label, 7659 /*IsLiteralLabel=*/true, 7660 SE->getStrTokenLoc(0))); 7661 } else if (!ExtnameUndeclaredIdentifiers.empty()) { 7662 llvm::DenseMap<IdentifierInfo*,AsmLabelAttr*>::iterator I = 7663 ExtnameUndeclaredIdentifiers.find(NewVD->getIdentifier()); 7664 if (I != ExtnameUndeclaredIdentifiers.end()) { 7665 if (isDeclExternC(NewVD)) { 7666 NewVD->addAttr(I->second); 7667 ExtnameUndeclaredIdentifiers.erase(I); 7668 } else 7669 Diag(NewVD->getLocation(), diag::warn_redefine_extname_not_applied) 7670 << /*Variable*/1 << NewVD; 7671 } 7672 } 7673 7674 // Find the shadowed declaration before filtering for scope. 7675 NamedDecl *ShadowedDecl = D.getCXXScopeSpec().isEmpty() 7676 ? getShadowedDeclaration(NewVD, Previous) 7677 : nullptr; 7678 7679 // Don't consider existing declarations that are in a different 7680 // scope and are out-of-semantic-context declarations (if the new 7681 // declaration has linkage). 7682 FilterLookupForScope(Previous, OriginalDC, S, shouldConsiderLinkage(NewVD), 7683 D.getCXXScopeSpec().isNotEmpty() || 7684 IsMemberSpecialization || 7685 IsVariableTemplateSpecialization); 7686 7687 // Check whether the previous declaration is in the same block scope. This 7688 // affects whether we merge types with it, per C++11 [dcl.array]p3. 7689 if (getLangOpts().CPlusPlus && 7690 NewVD->isLocalVarDecl() && NewVD->hasExternalStorage()) 7691 NewVD->setPreviousDeclInSameBlockScope( 7692 Previous.isSingleResult() && !Previous.isShadowed() && 7693 isDeclInScope(Previous.getFoundDecl(), OriginalDC, S, false)); 7694 7695 if (!getLangOpts().CPlusPlus) { 7696 D.setRedeclaration(CheckVariableDeclaration(NewVD, Previous)); 7697 } else { 7698 // If this is an explicit specialization of a static data member, check it. 7699 if (IsMemberSpecialization && !NewVD->isInvalidDecl() && 7700 CheckMemberSpecialization(NewVD, Previous)) 7701 NewVD->setInvalidDecl(); 7702 7703 // Merge the decl with the existing one if appropriate. 7704 if (!Previous.empty()) { 7705 if (Previous.isSingleResult() && 7706 isa<FieldDecl>(Previous.getFoundDecl()) && 7707 D.getCXXScopeSpec().isSet()) { 7708 // The user tried to define a non-static data member 7709 // out-of-line (C++ [dcl.meaning]p1). 7710 Diag(NewVD->getLocation(), diag::err_nonstatic_member_out_of_line) 7711 << D.getCXXScopeSpec().getRange(); 7712 Previous.clear(); 7713 NewVD->setInvalidDecl(); 7714 } 7715 } else if (D.getCXXScopeSpec().isSet()) { 7716 // No previous declaration in the qualifying scope. 7717 Diag(D.getIdentifierLoc(), diag::err_no_member) 7718 << Name << computeDeclContext(D.getCXXScopeSpec(), true) 7719 << D.getCXXScopeSpec().getRange(); 7720 NewVD->setInvalidDecl(); 7721 } 7722 7723 if (!IsVariableTemplateSpecialization) 7724 D.setRedeclaration(CheckVariableDeclaration(NewVD, Previous)); 7725 7726 if (NewTemplate) { 7727 VarTemplateDecl *PrevVarTemplate = 7728 NewVD->getPreviousDecl() 7729 ? NewVD->getPreviousDecl()->getDescribedVarTemplate() 7730 : nullptr; 7731 7732 // Check the template parameter list of this declaration, possibly 7733 // merging in the template parameter list from the previous variable 7734 // template declaration. 7735 if (CheckTemplateParameterList( 7736 TemplateParams, 7737 PrevVarTemplate ? PrevVarTemplate->getTemplateParameters() 7738 : nullptr, 7739 (D.getCXXScopeSpec().isSet() && DC && DC->isRecord() && 7740 DC->isDependentContext()) 7741 ? TPC_ClassTemplateMember 7742 : TPC_VarTemplate)) 7743 NewVD->setInvalidDecl(); 7744 7745 // If we are providing an explicit specialization of a static variable 7746 // template, make a note of that. 7747 if (PrevVarTemplate && 7748 PrevVarTemplate->getInstantiatedFromMemberTemplate()) 7749 PrevVarTemplate->setMemberSpecialization(); 7750 } 7751 } 7752 7753 // Diagnose shadowed variables iff this isn't a redeclaration. 7754 if (ShadowedDecl && !D.isRedeclaration()) 7755 CheckShadow(NewVD, ShadowedDecl, Previous); 7756 7757 ProcessPragmaWeak(S, NewVD); 7758 7759 // If this is the first declaration of an extern C variable, update 7760 // the map of such variables. 7761 if (NewVD->isFirstDecl() && !NewVD->isInvalidDecl() && 7762 isIncompleteDeclExternC(*this, NewVD)) 7763 RegisterLocallyScopedExternCDecl(NewVD, S); 7764 7765 if (getLangOpts().CPlusPlus && NewVD->isStaticLocal()) { 7766 MangleNumberingContext *MCtx; 7767 Decl *ManglingContextDecl; 7768 std::tie(MCtx, ManglingContextDecl) = 7769 getCurrentMangleNumberContext(NewVD->getDeclContext()); 7770 if (MCtx) { 7771 Context.setManglingNumber( 7772 NewVD, MCtx->getManglingNumber( 7773 NewVD, getMSManglingNumber(getLangOpts(), S))); 7774 Context.setStaticLocalNumber(NewVD, MCtx->getStaticLocalNumber(NewVD)); 7775 } 7776 } 7777 7778 // Special handling of variable named 'main'. 7779 if (Name.getAsIdentifierInfo() && Name.getAsIdentifierInfo()->isStr("main") && 7780 NewVD->getDeclContext()->getRedeclContext()->isTranslationUnit() && 7781 !getLangOpts().Freestanding && !NewVD->getDescribedVarTemplate()) { 7782 7783 // C++ [basic.start.main]p3 7784 // A program that declares a variable main at global scope is ill-formed. 7785 if (getLangOpts().CPlusPlus) 7786 Diag(D.getBeginLoc(), diag::err_main_global_variable); 7787 7788 // In C, and external-linkage variable named main results in undefined 7789 // behavior. 7790 else if (NewVD->hasExternalFormalLinkage()) 7791 Diag(D.getBeginLoc(), diag::warn_main_redefined); 7792 } 7793 7794 if (D.isRedeclaration() && !Previous.empty()) { 7795 NamedDecl *Prev = Previous.getRepresentativeDecl(); 7796 checkDLLAttributeRedeclaration(*this, Prev, NewVD, IsMemberSpecialization, 7797 D.isFunctionDefinition()); 7798 } 7799 7800 if (NewTemplate) { 7801 if (NewVD->isInvalidDecl()) 7802 NewTemplate->setInvalidDecl(); 7803 ActOnDocumentableDecl(NewTemplate); 7804 return NewTemplate; 7805 } 7806 7807 if (IsMemberSpecialization && !NewVD->isInvalidDecl()) 7808 CompleteMemberSpecialization(NewVD, Previous); 7809 7810 return NewVD; 7811 } 7812 7813 /// Enum describing the %select options in diag::warn_decl_shadow. 7814 enum ShadowedDeclKind { 7815 SDK_Local, 7816 SDK_Global, 7817 SDK_StaticMember, 7818 SDK_Field, 7819 SDK_Typedef, 7820 SDK_Using, 7821 SDK_StructuredBinding 7822 }; 7823 7824 /// Determine what kind of declaration we're shadowing. 7825 static ShadowedDeclKind computeShadowedDeclKind(const NamedDecl *ShadowedDecl, 7826 const DeclContext *OldDC) { 7827 if (isa<TypeAliasDecl>(ShadowedDecl)) 7828 return SDK_Using; 7829 else if (isa<TypedefDecl>(ShadowedDecl)) 7830 return SDK_Typedef; 7831 else if (isa<BindingDecl>(ShadowedDecl)) 7832 return SDK_StructuredBinding; 7833 else if (isa<RecordDecl>(OldDC)) 7834 return isa<FieldDecl>(ShadowedDecl) ? SDK_Field : SDK_StaticMember; 7835 7836 return OldDC->isFileContext() ? SDK_Global : SDK_Local; 7837 } 7838 7839 /// Return the location of the capture if the given lambda captures the given 7840 /// variable \p VD, or an invalid source location otherwise. 7841 static SourceLocation getCaptureLocation(const LambdaScopeInfo *LSI, 7842 const VarDecl *VD) { 7843 for (const Capture &Capture : LSI->Captures) { 7844 if (Capture.isVariableCapture() && Capture.getVariable() == VD) 7845 return Capture.getLocation(); 7846 } 7847 return SourceLocation(); 7848 } 7849 7850 static bool shouldWarnIfShadowedDecl(const DiagnosticsEngine &Diags, 7851 const LookupResult &R) { 7852 // Only diagnose if we're shadowing an unambiguous field or variable. 7853 if (R.getResultKind() != LookupResult::Found) 7854 return false; 7855 7856 // Return false if warning is ignored. 7857 return !Diags.isIgnored(diag::warn_decl_shadow, R.getNameLoc()); 7858 } 7859 7860 /// Return the declaration shadowed by the given variable \p D, or null 7861 /// if it doesn't shadow any declaration or shadowing warnings are disabled. 7862 NamedDecl *Sema::getShadowedDeclaration(const VarDecl *D, 7863 const LookupResult &R) { 7864 if (!shouldWarnIfShadowedDecl(Diags, R)) 7865 return nullptr; 7866 7867 // Don't diagnose declarations at file scope. 7868 if (D->hasGlobalStorage()) 7869 return nullptr; 7870 7871 NamedDecl *ShadowedDecl = R.getFoundDecl(); 7872 return isa<VarDecl, FieldDecl, BindingDecl>(ShadowedDecl) ? ShadowedDecl 7873 : nullptr; 7874 } 7875 7876 /// Return the declaration shadowed by the given typedef \p D, or null 7877 /// if it doesn't shadow any declaration or shadowing warnings are disabled. 7878 NamedDecl *Sema::getShadowedDeclaration(const TypedefNameDecl *D, 7879 const LookupResult &R) { 7880 // Don't warn if typedef declaration is part of a class 7881 if (D->getDeclContext()->isRecord()) 7882 return nullptr; 7883 7884 if (!shouldWarnIfShadowedDecl(Diags, R)) 7885 return nullptr; 7886 7887 NamedDecl *ShadowedDecl = R.getFoundDecl(); 7888 return isa<TypedefNameDecl>(ShadowedDecl) ? ShadowedDecl : nullptr; 7889 } 7890 7891 /// Return the declaration shadowed by the given variable \p D, or null 7892 /// if it doesn't shadow any declaration or shadowing warnings are disabled. 7893 NamedDecl *Sema::getShadowedDeclaration(const BindingDecl *D, 7894 const LookupResult &R) { 7895 if (!shouldWarnIfShadowedDecl(Diags, R)) 7896 return nullptr; 7897 7898 NamedDecl *ShadowedDecl = R.getFoundDecl(); 7899 return isa<VarDecl, FieldDecl, BindingDecl>(ShadowedDecl) ? ShadowedDecl 7900 : nullptr; 7901 } 7902 7903 /// Diagnose variable or built-in function shadowing. Implements 7904 /// -Wshadow. 7905 /// 7906 /// This method is called whenever a VarDecl is added to a "useful" 7907 /// scope. 7908 /// 7909 /// \param ShadowedDecl the declaration that is shadowed by the given variable 7910 /// \param R the lookup of the name 7911 /// 7912 void Sema::CheckShadow(NamedDecl *D, NamedDecl *ShadowedDecl, 7913 const LookupResult &R) { 7914 DeclContext *NewDC = D->getDeclContext(); 7915 7916 if (FieldDecl *FD = dyn_cast<FieldDecl>(ShadowedDecl)) { 7917 // Fields are not shadowed by variables in C++ static methods. 7918 if (CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewDC)) 7919 if (MD->isStatic()) 7920 return; 7921 7922 // Fields shadowed by constructor parameters are a special case. Usually 7923 // the constructor initializes the field with the parameter. 7924 if (isa<CXXConstructorDecl>(NewDC)) 7925 if (const auto PVD = dyn_cast<ParmVarDecl>(D)) { 7926 // Remember that this was shadowed so we can either warn about its 7927 // modification or its existence depending on warning settings. 7928 ShadowingDecls.insert({PVD->getCanonicalDecl(), FD}); 7929 return; 7930 } 7931 } 7932 7933 if (VarDecl *shadowedVar = dyn_cast<VarDecl>(ShadowedDecl)) 7934 if (shadowedVar->isExternC()) { 7935 // For shadowing external vars, make sure that we point to the global 7936 // declaration, not a locally scoped extern declaration. 7937 for (auto I : shadowedVar->redecls()) 7938 if (I->isFileVarDecl()) { 7939 ShadowedDecl = I; 7940 break; 7941 } 7942 } 7943 7944 DeclContext *OldDC = ShadowedDecl->getDeclContext()->getRedeclContext(); 7945 7946 unsigned WarningDiag = diag::warn_decl_shadow; 7947 SourceLocation CaptureLoc; 7948 if (isa<VarDecl>(D) && isa<VarDecl>(ShadowedDecl) && NewDC && 7949 isa<CXXMethodDecl>(NewDC)) { 7950 if (const auto *RD = dyn_cast<CXXRecordDecl>(NewDC->getParent())) { 7951 if (RD->isLambda() && OldDC->Encloses(NewDC->getLexicalParent())) { 7952 if (RD->getLambdaCaptureDefault() == LCD_None) { 7953 // Try to avoid warnings for lambdas with an explicit capture list. 7954 const auto *LSI = cast<LambdaScopeInfo>(getCurFunction()); 7955 // Warn only when the lambda captures the shadowed decl explicitly. 7956 CaptureLoc = getCaptureLocation(LSI, cast<VarDecl>(ShadowedDecl)); 7957 if (CaptureLoc.isInvalid()) 7958 WarningDiag = diag::warn_decl_shadow_uncaptured_local; 7959 } else { 7960 // Remember that this was shadowed so we can avoid the warning if the 7961 // shadowed decl isn't captured and the warning settings allow it. 7962 cast<LambdaScopeInfo>(getCurFunction()) 7963 ->ShadowingDecls.push_back( 7964 {cast<VarDecl>(D), cast<VarDecl>(ShadowedDecl)}); 7965 return; 7966 } 7967 } 7968 7969 if (cast<VarDecl>(ShadowedDecl)->hasLocalStorage()) { 7970 // A variable can't shadow a local variable in an enclosing scope, if 7971 // they are separated by a non-capturing declaration context. 7972 for (DeclContext *ParentDC = NewDC; 7973 ParentDC && !ParentDC->Equals(OldDC); 7974 ParentDC = getLambdaAwareParentOfDeclContext(ParentDC)) { 7975 // Only block literals, captured statements, and lambda expressions 7976 // can capture; other scopes don't. 7977 if (!isa<BlockDecl>(ParentDC) && !isa<CapturedDecl>(ParentDC) && 7978 !isLambdaCallOperator(ParentDC)) { 7979 return; 7980 } 7981 } 7982 } 7983 } 7984 } 7985 7986 // Only warn about certain kinds of shadowing for class members. 7987 if (NewDC && NewDC->isRecord()) { 7988 // In particular, don't warn about shadowing non-class members. 7989 if (!OldDC->isRecord()) 7990 return; 7991 7992 // TODO: should we warn about static data members shadowing 7993 // static data members from base classes? 7994 7995 // TODO: don't diagnose for inaccessible shadowed members. 7996 // This is hard to do perfectly because we might friend the 7997 // shadowing context, but that's just a false negative. 7998 } 7999 8000 8001 DeclarationName Name = R.getLookupName(); 8002 8003 // Emit warning and note. 8004 ShadowedDeclKind Kind = computeShadowedDeclKind(ShadowedDecl, OldDC); 8005 Diag(R.getNameLoc(), WarningDiag) << Name << Kind << OldDC; 8006 if (!CaptureLoc.isInvalid()) 8007 Diag(CaptureLoc, diag::note_var_explicitly_captured_here) 8008 << Name << /*explicitly*/ 1; 8009 Diag(ShadowedDecl->getLocation(), diag::note_previous_declaration); 8010 } 8011 8012 /// Diagnose shadowing for variables shadowed in the lambda record \p LambdaRD 8013 /// when these variables are captured by the lambda. 8014 void Sema::DiagnoseShadowingLambdaDecls(const LambdaScopeInfo *LSI) { 8015 for (const auto &Shadow : LSI->ShadowingDecls) { 8016 const VarDecl *ShadowedDecl = Shadow.ShadowedDecl; 8017 // Try to avoid the warning when the shadowed decl isn't captured. 8018 SourceLocation CaptureLoc = getCaptureLocation(LSI, ShadowedDecl); 8019 const DeclContext *OldDC = ShadowedDecl->getDeclContext(); 8020 Diag(Shadow.VD->getLocation(), CaptureLoc.isInvalid() 8021 ? diag::warn_decl_shadow_uncaptured_local 8022 : diag::warn_decl_shadow) 8023 << Shadow.VD->getDeclName() 8024 << computeShadowedDeclKind(ShadowedDecl, OldDC) << OldDC; 8025 if (!CaptureLoc.isInvalid()) 8026 Diag(CaptureLoc, diag::note_var_explicitly_captured_here) 8027 << Shadow.VD->getDeclName() << /*explicitly*/ 0; 8028 Diag(ShadowedDecl->getLocation(), diag::note_previous_declaration); 8029 } 8030 } 8031 8032 /// Check -Wshadow without the advantage of a previous lookup. 8033 void Sema::CheckShadow(Scope *S, VarDecl *D) { 8034 if (Diags.isIgnored(diag::warn_decl_shadow, D->getLocation())) 8035 return; 8036 8037 LookupResult R(*this, D->getDeclName(), D->getLocation(), 8038 Sema::LookupOrdinaryName, Sema::ForVisibleRedeclaration); 8039 LookupName(R, S); 8040 if (NamedDecl *ShadowedDecl = getShadowedDeclaration(D, R)) 8041 CheckShadow(D, ShadowedDecl, R); 8042 } 8043 8044 /// Check if 'E', which is an expression that is about to be modified, refers 8045 /// to a constructor parameter that shadows a field. 8046 void Sema::CheckShadowingDeclModification(Expr *E, SourceLocation Loc) { 8047 // Quickly ignore expressions that can't be shadowing ctor parameters. 8048 if (!getLangOpts().CPlusPlus || ShadowingDecls.empty()) 8049 return; 8050 E = E->IgnoreParenImpCasts(); 8051 auto *DRE = dyn_cast<DeclRefExpr>(E); 8052 if (!DRE) 8053 return; 8054 const NamedDecl *D = cast<NamedDecl>(DRE->getDecl()->getCanonicalDecl()); 8055 auto I = ShadowingDecls.find(D); 8056 if (I == ShadowingDecls.end()) 8057 return; 8058 const NamedDecl *ShadowedDecl = I->second; 8059 const DeclContext *OldDC = ShadowedDecl->getDeclContext(); 8060 Diag(Loc, diag::warn_modifying_shadowing_decl) << D << OldDC; 8061 Diag(D->getLocation(), diag::note_var_declared_here) << D; 8062 Diag(ShadowedDecl->getLocation(), diag::note_previous_declaration); 8063 8064 // Avoid issuing multiple warnings about the same decl. 8065 ShadowingDecls.erase(I); 8066 } 8067 8068 /// Check for conflict between this global or extern "C" declaration and 8069 /// previous global or extern "C" declarations. This is only used in C++. 8070 template<typename T> 8071 static bool checkGlobalOrExternCConflict( 8072 Sema &S, const T *ND, bool IsGlobal, LookupResult &Previous) { 8073 assert(S.getLangOpts().CPlusPlus && "only C++ has extern \"C\""); 8074 NamedDecl *Prev = S.findLocallyScopedExternCDecl(ND->getDeclName()); 8075 8076 if (!Prev && IsGlobal && !isIncompleteDeclExternC(S, ND)) { 8077 // The common case: this global doesn't conflict with any extern "C" 8078 // declaration. 8079 return false; 8080 } 8081 8082 if (Prev) { 8083 if (!IsGlobal || isIncompleteDeclExternC(S, ND)) { 8084 // Both the old and new declarations have C language linkage. This is a 8085 // redeclaration. 8086 Previous.clear(); 8087 Previous.addDecl(Prev); 8088 return true; 8089 } 8090 8091 // This is a global, non-extern "C" declaration, and there is a previous 8092 // non-global extern "C" declaration. Diagnose if this is a variable 8093 // declaration. 8094 if (!isa<VarDecl>(ND)) 8095 return false; 8096 } else { 8097 // The declaration is extern "C". Check for any declaration in the 8098 // translation unit which might conflict. 8099 if (IsGlobal) { 8100 // We have already performed the lookup into the translation unit. 8101 IsGlobal = false; 8102 for (LookupResult::iterator I = Previous.begin(), E = Previous.end(); 8103 I != E; ++I) { 8104 if (isa<VarDecl>(*I)) { 8105 Prev = *I; 8106 break; 8107 } 8108 } 8109 } else { 8110 DeclContext::lookup_result R = 8111 S.Context.getTranslationUnitDecl()->lookup(ND->getDeclName()); 8112 for (DeclContext::lookup_result::iterator I = R.begin(), E = R.end(); 8113 I != E; ++I) { 8114 if (isa<VarDecl>(*I)) { 8115 Prev = *I; 8116 break; 8117 } 8118 // FIXME: If we have any other entity with this name in global scope, 8119 // the declaration is ill-formed, but that is a defect: it breaks the 8120 // 'stat' hack, for instance. Only variables can have mangled name 8121 // clashes with extern "C" declarations, so only they deserve a 8122 // diagnostic. 8123 } 8124 } 8125 8126 if (!Prev) 8127 return false; 8128 } 8129 8130 // Use the first declaration's location to ensure we point at something which 8131 // is lexically inside an extern "C" linkage-spec. 8132 assert(Prev && "should have found a previous declaration to diagnose"); 8133 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(Prev)) 8134 Prev = FD->getFirstDecl(); 8135 else 8136 Prev = cast<VarDecl>(Prev)->getFirstDecl(); 8137 8138 S.Diag(ND->getLocation(), diag::err_extern_c_global_conflict) 8139 << IsGlobal << ND; 8140 S.Diag(Prev->getLocation(), diag::note_extern_c_global_conflict) 8141 << IsGlobal; 8142 return false; 8143 } 8144 8145 /// Apply special rules for handling extern "C" declarations. Returns \c true 8146 /// if we have found that this is a redeclaration of some prior entity. 8147 /// 8148 /// Per C++ [dcl.link]p6: 8149 /// Two declarations [for a function or variable] with C language linkage 8150 /// with the same name that appear in different scopes refer to the same 8151 /// [entity]. An entity with C language linkage shall not be declared with 8152 /// the same name as an entity in global scope. 8153 template<typename T> 8154 static bool checkForConflictWithNonVisibleExternC(Sema &S, const T *ND, 8155 LookupResult &Previous) { 8156 if (!S.getLangOpts().CPlusPlus) { 8157 // In C, when declaring a global variable, look for a corresponding 'extern' 8158 // variable declared in function scope. We don't need this in C++, because 8159 // we find local extern decls in the surrounding file-scope DeclContext. 8160 if (ND->getDeclContext()->getRedeclContext()->isTranslationUnit()) { 8161 if (NamedDecl *Prev = S.findLocallyScopedExternCDecl(ND->getDeclName())) { 8162 Previous.clear(); 8163 Previous.addDecl(Prev); 8164 return true; 8165 } 8166 } 8167 return false; 8168 } 8169 8170 // A declaration in the translation unit can conflict with an extern "C" 8171 // declaration. 8172 if (ND->getDeclContext()->getRedeclContext()->isTranslationUnit()) 8173 return checkGlobalOrExternCConflict(S, ND, /*IsGlobal*/true, Previous); 8174 8175 // An extern "C" declaration can conflict with a declaration in the 8176 // translation unit or can be a redeclaration of an extern "C" declaration 8177 // in another scope. 8178 if (isIncompleteDeclExternC(S,ND)) 8179 return checkGlobalOrExternCConflict(S, ND, /*IsGlobal*/false, Previous); 8180 8181 // Neither global nor extern "C": nothing to do. 8182 return false; 8183 } 8184 8185 void Sema::CheckVariableDeclarationType(VarDecl *NewVD) { 8186 // If the decl is already known invalid, don't check it. 8187 if (NewVD->isInvalidDecl()) 8188 return; 8189 8190 QualType T = NewVD->getType(); 8191 8192 // Defer checking an 'auto' type until its initializer is attached. 8193 if (T->isUndeducedType()) 8194 return; 8195 8196 if (NewVD->hasAttrs()) 8197 CheckAlignasUnderalignment(NewVD); 8198 8199 if (T->isObjCObjectType()) { 8200 Diag(NewVD->getLocation(), diag::err_statically_allocated_object) 8201 << FixItHint::CreateInsertion(NewVD->getLocation(), "*"); 8202 T = Context.getObjCObjectPointerType(T); 8203 NewVD->setType(T); 8204 } 8205 8206 // Emit an error if an address space was applied to decl with local storage. 8207 // This includes arrays of objects with address space qualifiers, but not 8208 // automatic variables that point to other address spaces. 8209 // ISO/IEC TR 18037 S5.1.2 8210 if (!getLangOpts().OpenCL && NewVD->hasLocalStorage() && 8211 T.getAddressSpace() != LangAS::Default) { 8212 Diag(NewVD->getLocation(), diag::err_as_qualified_auto_decl) << 0; 8213 NewVD->setInvalidDecl(); 8214 return; 8215 } 8216 8217 // OpenCL v1.2 s6.8 - The static qualifier is valid only in program 8218 // scope. 8219 if (getLangOpts().OpenCLVersion == 120 && 8220 !getOpenCLOptions().isAvailableOption("cl_clang_storage_class_specifiers", 8221 getLangOpts()) && 8222 NewVD->isStaticLocal()) { 8223 Diag(NewVD->getLocation(), diag::err_static_function_scope); 8224 NewVD->setInvalidDecl(); 8225 return; 8226 } 8227 8228 if (getLangOpts().OpenCL) { 8229 if (!diagnoseOpenCLTypes(*this, NewVD)) 8230 return; 8231 8232 // OpenCL v2.0 s6.12.5 - The __block storage type is not supported. 8233 if (NewVD->hasAttr<BlocksAttr>()) { 8234 Diag(NewVD->getLocation(), diag::err_opencl_block_storage_type); 8235 return; 8236 } 8237 8238 if (T->isBlockPointerType()) { 8239 // OpenCL v2.0 s6.12.5 - Any block declaration must be const qualified and 8240 // can't use 'extern' storage class. 8241 if (!T.isConstQualified()) { 8242 Diag(NewVD->getLocation(), diag::err_opencl_invalid_block_declaration) 8243 << 0 /*const*/; 8244 NewVD->setInvalidDecl(); 8245 return; 8246 } 8247 if (NewVD->hasExternalStorage()) { 8248 Diag(NewVD->getLocation(), diag::err_opencl_extern_block_declaration); 8249 NewVD->setInvalidDecl(); 8250 return; 8251 } 8252 } 8253 8254 // FIXME: Adding local AS in C++ for OpenCL might make sense. 8255 if (NewVD->isFileVarDecl() || NewVD->isStaticLocal() || 8256 NewVD->hasExternalStorage()) { 8257 if (!T->isSamplerT() && !T->isDependentType() && 8258 !(T.getAddressSpace() == LangAS::opencl_constant || 8259 (T.getAddressSpace() == LangAS::opencl_global && 8260 getOpenCLOptions().areProgramScopeVariablesSupported( 8261 getLangOpts())))) { 8262 int Scope = NewVD->isStaticLocal() | NewVD->hasExternalStorage() << 1; 8263 if (getOpenCLOptions().areProgramScopeVariablesSupported(getLangOpts())) 8264 Diag(NewVD->getLocation(), diag::err_opencl_global_invalid_addr_space) 8265 << Scope << "global or constant"; 8266 else 8267 Diag(NewVD->getLocation(), diag::err_opencl_global_invalid_addr_space) 8268 << Scope << "constant"; 8269 NewVD->setInvalidDecl(); 8270 return; 8271 } 8272 } else { 8273 if (T.getAddressSpace() == LangAS::opencl_global) { 8274 Diag(NewVD->getLocation(), diag::err_opencl_function_variable) 8275 << 1 /*is any function*/ << "global"; 8276 NewVD->setInvalidDecl(); 8277 return; 8278 } 8279 if (T.getAddressSpace() == LangAS::opencl_constant || 8280 T.getAddressSpace() == LangAS::opencl_local) { 8281 FunctionDecl *FD = getCurFunctionDecl(); 8282 // OpenCL v1.1 s6.5.2 and s6.5.3: no local or constant variables 8283 // in functions. 8284 if (FD && !FD->hasAttr<OpenCLKernelAttr>()) { 8285 if (T.getAddressSpace() == LangAS::opencl_constant) 8286 Diag(NewVD->getLocation(), diag::err_opencl_function_variable) 8287 << 0 /*non-kernel only*/ << "constant"; 8288 else 8289 Diag(NewVD->getLocation(), diag::err_opencl_function_variable) 8290 << 0 /*non-kernel only*/ << "local"; 8291 NewVD->setInvalidDecl(); 8292 return; 8293 } 8294 // OpenCL v2.0 s6.5.2 and s6.5.3: local and constant variables must be 8295 // in the outermost scope of a kernel function. 8296 if (FD && FD->hasAttr<OpenCLKernelAttr>()) { 8297 if (!getCurScope()->isFunctionScope()) { 8298 if (T.getAddressSpace() == LangAS::opencl_constant) 8299 Diag(NewVD->getLocation(), diag::err_opencl_addrspace_scope) 8300 << "constant"; 8301 else 8302 Diag(NewVD->getLocation(), diag::err_opencl_addrspace_scope) 8303 << "local"; 8304 NewVD->setInvalidDecl(); 8305 return; 8306 } 8307 } 8308 } else if (T.getAddressSpace() != LangAS::opencl_private && 8309 // If we are parsing a template we didn't deduce an addr 8310 // space yet. 8311 T.getAddressSpace() != LangAS::Default) { 8312 // Do not allow other address spaces on automatic variable. 8313 Diag(NewVD->getLocation(), diag::err_as_qualified_auto_decl) << 1; 8314 NewVD->setInvalidDecl(); 8315 return; 8316 } 8317 } 8318 } 8319 8320 if (NewVD->hasLocalStorage() && T.isObjCGCWeak() 8321 && !NewVD->hasAttr<BlocksAttr>()) { 8322 if (getLangOpts().getGC() != LangOptions::NonGC) 8323 Diag(NewVD->getLocation(), diag::warn_gc_attribute_weak_on_local); 8324 else { 8325 assert(!getLangOpts().ObjCAutoRefCount); 8326 Diag(NewVD->getLocation(), diag::warn_attribute_weak_on_local); 8327 } 8328 } 8329 8330 bool isVM = T->isVariablyModifiedType(); 8331 if (isVM || NewVD->hasAttr<CleanupAttr>() || 8332 NewVD->hasAttr<BlocksAttr>()) 8333 setFunctionHasBranchProtectedScope(); 8334 8335 if ((isVM && NewVD->hasLinkage()) || 8336 (T->isVariableArrayType() && NewVD->hasGlobalStorage())) { 8337 bool SizeIsNegative; 8338 llvm::APSInt Oversized; 8339 TypeSourceInfo *FixedTInfo = TryToFixInvalidVariablyModifiedTypeSourceInfo( 8340 NewVD->getTypeSourceInfo(), Context, SizeIsNegative, Oversized); 8341 QualType FixedT; 8342 if (FixedTInfo && T == NewVD->getTypeSourceInfo()->getType()) 8343 FixedT = FixedTInfo->getType(); 8344 else if (FixedTInfo) { 8345 // Type and type-as-written are canonically different. We need to fix up 8346 // both types separately. 8347 FixedT = TryToFixInvalidVariablyModifiedType(T, Context, SizeIsNegative, 8348 Oversized); 8349 } 8350 if ((!FixedTInfo || FixedT.isNull()) && T->isVariableArrayType()) { 8351 const VariableArrayType *VAT = Context.getAsVariableArrayType(T); 8352 // FIXME: This won't give the correct result for 8353 // int a[10][n]; 8354 SourceRange SizeRange = VAT->getSizeExpr()->getSourceRange(); 8355 8356 if (NewVD->isFileVarDecl()) 8357 Diag(NewVD->getLocation(), diag::err_vla_decl_in_file_scope) 8358 << SizeRange; 8359 else if (NewVD->isStaticLocal()) 8360 Diag(NewVD->getLocation(), diag::err_vla_decl_has_static_storage) 8361 << SizeRange; 8362 else 8363 Diag(NewVD->getLocation(), diag::err_vla_decl_has_extern_linkage) 8364 << SizeRange; 8365 NewVD->setInvalidDecl(); 8366 return; 8367 } 8368 8369 if (!FixedTInfo) { 8370 if (NewVD->isFileVarDecl()) 8371 Diag(NewVD->getLocation(), diag::err_vm_decl_in_file_scope); 8372 else 8373 Diag(NewVD->getLocation(), diag::err_vm_decl_has_extern_linkage); 8374 NewVD->setInvalidDecl(); 8375 return; 8376 } 8377 8378 Diag(NewVD->getLocation(), diag::ext_vla_folded_to_constant); 8379 NewVD->setType(FixedT); 8380 NewVD->setTypeSourceInfo(FixedTInfo); 8381 } 8382 8383 if (T->isVoidType()) { 8384 // C++98 [dcl.stc]p5: The extern specifier can be applied only to the names 8385 // of objects and functions. 8386 if (NewVD->isThisDeclarationADefinition() || getLangOpts().CPlusPlus) { 8387 Diag(NewVD->getLocation(), diag::err_typecheck_decl_incomplete_type) 8388 << T; 8389 NewVD->setInvalidDecl(); 8390 return; 8391 } 8392 } 8393 8394 if (!NewVD->hasLocalStorage() && NewVD->hasAttr<BlocksAttr>()) { 8395 Diag(NewVD->getLocation(), diag::err_block_on_nonlocal); 8396 NewVD->setInvalidDecl(); 8397 return; 8398 } 8399 8400 if (!NewVD->hasLocalStorage() && T->isSizelessType()) { 8401 Diag(NewVD->getLocation(), diag::err_sizeless_nonlocal) << T; 8402 NewVD->setInvalidDecl(); 8403 return; 8404 } 8405 8406 if (isVM && NewVD->hasAttr<BlocksAttr>()) { 8407 Diag(NewVD->getLocation(), diag::err_block_on_vm); 8408 NewVD->setInvalidDecl(); 8409 return; 8410 } 8411 8412 if (NewVD->isConstexpr() && !T->isDependentType() && 8413 RequireLiteralType(NewVD->getLocation(), T, 8414 diag::err_constexpr_var_non_literal)) { 8415 NewVD->setInvalidDecl(); 8416 return; 8417 } 8418 8419 // PPC MMA non-pointer types are not allowed as non-local variable types. 8420 if (Context.getTargetInfo().getTriple().isPPC64() && 8421 !NewVD->isLocalVarDecl() && 8422 CheckPPCMMAType(T, NewVD->getLocation())) { 8423 NewVD->setInvalidDecl(); 8424 return; 8425 } 8426 } 8427 8428 /// Perform semantic checking on a newly-created variable 8429 /// declaration. 8430 /// 8431 /// This routine performs all of the type-checking required for a 8432 /// variable declaration once it has been built. It is used both to 8433 /// check variables after they have been parsed and their declarators 8434 /// have been translated into a declaration, and to check variables 8435 /// that have been instantiated from a template. 8436 /// 8437 /// Sets NewVD->isInvalidDecl() if an error was encountered. 8438 /// 8439 /// Returns true if the variable declaration is a redeclaration. 8440 bool Sema::CheckVariableDeclaration(VarDecl *NewVD, LookupResult &Previous) { 8441 CheckVariableDeclarationType(NewVD); 8442 8443 // If the decl is already known invalid, don't check it. 8444 if (NewVD->isInvalidDecl()) 8445 return false; 8446 8447 // If we did not find anything by this name, look for a non-visible 8448 // extern "C" declaration with the same name. 8449 if (Previous.empty() && 8450 checkForConflictWithNonVisibleExternC(*this, NewVD, Previous)) 8451 Previous.setShadowed(); 8452 8453 if (!Previous.empty()) { 8454 MergeVarDecl(NewVD, Previous); 8455 return true; 8456 } 8457 return false; 8458 } 8459 8460 /// AddOverriddenMethods - See if a method overrides any in the base classes, 8461 /// and if so, check that it's a valid override and remember it. 8462 bool Sema::AddOverriddenMethods(CXXRecordDecl *DC, CXXMethodDecl *MD) { 8463 llvm::SmallPtrSet<const CXXMethodDecl*, 4> Overridden; 8464 8465 // Look for methods in base classes that this method might override. 8466 CXXBasePaths Paths(/*FindAmbiguities=*/true, /*RecordPaths=*/false, 8467 /*DetectVirtual=*/false); 8468 auto VisitBase = [&] (const CXXBaseSpecifier *Specifier, CXXBasePath &Path) { 8469 CXXRecordDecl *BaseRecord = Specifier->getType()->getAsCXXRecordDecl(); 8470 DeclarationName Name = MD->getDeclName(); 8471 8472 if (Name.getNameKind() == DeclarationName::CXXDestructorName) { 8473 // We really want to find the base class destructor here. 8474 QualType T = Context.getTypeDeclType(BaseRecord); 8475 CanQualType CT = Context.getCanonicalType(T); 8476 Name = Context.DeclarationNames.getCXXDestructorName(CT); 8477 } 8478 8479 for (NamedDecl *BaseND : BaseRecord->lookup(Name)) { 8480 CXXMethodDecl *BaseMD = 8481 dyn_cast<CXXMethodDecl>(BaseND->getCanonicalDecl()); 8482 if (!BaseMD || !BaseMD->isVirtual() || 8483 IsOverload(MD, BaseMD, /*UseMemberUsingDeclRules=*/false, 8484 /*ConsiderCudaAttrs=*/true, 8485 // C++2a [class.virtual]p2 does not consider requires 8486 // clauses when overriding. 8487 /*ConsiderRequiresClauses=*/false)) 8488 continue; 8489 8490 if (Overridden.insert(BaseMD).second) { 8491 MD->addOverriddenMethod(BaseMD); 8492 CheckOverridingFunctionReturnType(MD, BaseMD); 8493 CheckOverridingFunctionAttributes(MD, BaseMD); 8494 CheckOverridingFunctionExceptionSpec(MD, BaseMD); 8495 CheckIfOverriddenFunctionIsMarkedFinal(MD, BaseMD); 8496 } 8497 8498 // A method can only override one function from each base class. We 8499 // don't track indirectly overridden methods from bases of bases. 8500 return true; 8501 } 8502 8503 return false; 8504 }; 8505 8506 DC->lookupInBases(VisitBase, Paths); 8507 return !Overridden.empty(); 8508 } 8509 8510 namespace { 8511 // Struct for holding all of the extra arguments needed by 8512 // DiagnoseInvalidRedeclaration to call Sema::ActOnFunctionDeclarator. 8513 struct ActOnFDArgs { 8514 Scope *S; 8515 Declarator &D; 8516 MultiTemplateParamsArg TemplateParamLists; 8517 bool AddToScope; 8518 }; 8519 } // end anonymous namespace 8520 8521 namespace { 8522 8523 // Callback to only accept typo corrections that have a non-zero edit distance. 8524 // Also only accept corrections that have the same parent decl. 8525 class DifferentNameValidatorCCC final : public CorrectionCandidateCallback { 8526 public: 8527 DifferentNameValidatorCCC(ASTContext &Context, FunctionDecl *TypoFD, 8528 CXXRecordDecl *Parent) 8529 : Context(Context), OriginalFD(TypoFD), 8530 ExpectedParent(Parent ? Parent->getCanonicalDecl() : nullptr) {} 8531 8532 bool ValidateCandidate(const TypoCorrection &candidate) override { 8533 if (candidate.getEditDistance() == 0) 8534 return false; 8535 8536 SmallVector<unsigned, 1> MismatchedParams; 8537 for (TypoCorrection::const_decl_iterator CDecl = candidate.begin(), 8538 CDeclEnd = candidate.end(); 8539 CDecl != CDeclEnd; ++CDecl) { 8540 FunctionDecl *FD = dyn_cast<FunctionDecl>(*CDecl); 8541 8542 if (FD && !FD->hasBody() && 8543 hasSimilarParameters(Context, FD, OriginalFD, MismatchedParams)) { 8544 if (CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD)) { 8545 CXXRecordDecl *Parent = MD->getParent(); 8546 if (Parent && Parent->getCanonicalDecl() == ExpectedParent) 8547 return true; 8548 } else if (!ExpectedParent) { 8549 return true; 8550 } 8551 } 8552 } 8553 8554 return false; 8555 } 8556 8557 std::unique_ptr<CorrectionCandidateCallback> clone() override { 8558 return std::make_unique<DifferentNameValidatorCCC>(*this); 8559 } 8560 8561 private: 8562 ASTContext &Context; 8563 FunctionDecl *OriginalFD; 8564 CXXRecordDecl *ExpectedParent; 8565 }; 8566 8567 } // end anonymous namespace 8568 8569 void Sema::MarkTypoCorrectedFunctionDefinition(const NamedDecl *F) { 8570 TypoCorrectedFunctionDefinitions.insert(F); 8571 } 8572 8573 /// Generate diagnostics for an invalid function redeclaration. 8574 /// 8575 /// This routine handles generating the diagnostic messages for an invalid 8576 /// function redeclaration, including finding possible similar declarations 8577 /// or performing typo correction if there are no previous declarations with 8578 /// the same name. 8579 /// 8580 /// Returns a NamedDecl iff typo correction was performed and substituting in 8581 /// the new declaration name does not cause new errors. 8582 static NamedDecl *DiagnoseInvalidRedeclaration( 8583 Sema &SemaRef, LookupResult &Previous, FunctionDecl *NewFD, 8584 ActOnFDArgs &ExtraArgs, bool IsLocalFriend, Scope *S) { 8585 DeclarationName Name = NewFD->getDeclName(); 8586 DeclContext *NewDC = NewFD->getDeclContext(); 8587 SmallVector<unsigned, 1> MismatchedParams; 8588 SmallVector<std::pair<FunctionDecl *, unsigned>, 1> NearMatches; 8589 TypoCorrection Correction; 8590 bool IsDefinition = ExtraArgs.D.isFunctionDefinition(); 8591 unsigned DiagMsg = 8592 IsLocalFriend ? diag::err_no_matching_local_friend : 8593 NewFD->getFriendObjectKind() ? diag::err_qualified_friend_no_match : 8594 diag::err_member_decl_does_not_match; 8595 LookupResult Prev(SemaRef, Name, NewFD->getLocation(), 8596 IsLocalFriend ? Sema::LookupLocalFriendName 8597 : Sema::LookupOrdinaryName, 8598 Sema::ForVisibleRedeclaration); 8599 8600 NewFD->setInvalidDecl(); 8601 if (IsLocalFriend) 8602 SemaRef.LookupName(Prev, S); 8603 else 8604 SemaRef.LookupQualifiedName(Prev, NewDC); 8605 assert(!Prev.isAmbiguous() && 8606 "Cannot have an ambiguity in previous-declaration lookup"); 8607 CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewFD); 8608 DifferentNameValidatorCCC CCC(SemaRef.Context, NewFD, 8609 MD ? MD->getParent() : nullptr); 8610 if (!Prev.empty()) { 8611 for (LookupResult::iterator Func = Prev.begin(), FuncEnd = Prev.end(); 8612 Func != FuncEnd; ++Func) { 8613 FunctionDecl *FD = dyn_cast<FunctionDecl>(*Func); 8614 if (FD && 8615 hasSimilarParameters(SemaRef.Context, FD, NewFD, MismatchedParams)) { 8616 // Add 1 to the index so that 0 can mean the mismatch didn't 8617 // involve a parameter 8618 unsigned ParamNum = 8619 MismatchedParams.empty() ? 0 : MismatchedParams.front() + 1; 8620 NearMatches.push_back(std::make_pair(FD, ParamNum)); 8621 } 8622 } 8623 // If the qualified name lookup yielded nothing, try typo correction 8624 } else if ((Correction = SemaRef.CorrectTypo( 8625 Prev.getLookupNameInfo(), Prev.getLookupKind(), S, 8626 &ExtraArgs.D.getCXXScopeSpec(), CCC, Sema::CTK_ErrorRecovery, 8627 IsLocalFriend ? nullptr : NewDC))) { 8628 // Set up everything for the call to ActOnFunctionDeclarator 8629 ExtraArgs.D.SetIdentifier(Correction.getCorrectionAsIdentifierInfo(), 8630 ExtraArgs.D.getIdentifierLoc()); 8631 Previous.clear(); 8632 Previous.setLookupName(Correction.getCorrection()); 8633 for (TypoCorrection::decl_iterator CDecl = Correction.begin(), 8634 CDeclEnd = Correction.end(); 8635 CDecl != CDeclEnd; ++CDecl) { 8636 FunctionDecl *FD = dyn_cast<FunctionDecl>(*CDecl); 8637 if (FD && !FD->hasBody() && 8638 hasSimilarParameters(SemaRef.Context, FD, NewFD, MismatchedParams)) { 8639 Previous.addDecl(FD); 8640 } 8641 } 8642 bool wasRedeclaration = ExtraArgs.D.isRedeclaration(); 8643 8644 NamedDecl *Result; 8645 // Retry building the function declaration with the new previous 8646 // declarations, and with errors suppressed. 8647 { 8648 // Trap errors. 8649 Sema::SFINAETrap Trap(SemaRef); 8650 8651 // TODO: Refactor ActOnFunctionDeclarator so that we can call only the 8652 // pieces need to verify the typo-corrected C++ declaration and hopefully 8653 // eliminate the need for the parameter pack ExtraArgs. 8654 Result = SemaRef.ActOnFunctionDeclarator( 8655 ExtraArgs.S, ExtraArgs.D, 8656 Correction.getCorrectionDecl()->getDeclContext(), 8657 NewFD->getTypeSourceInfo(), Previous, ExtraArgs.TemplateParamLists, 8658 ExtraArgs.AddToScope); 8659 8660 if (Trap.hasErrorOccurred()) 8661 Result = nullptr; 8662 } 8663 8664 if (Result) { 8665 // Determine which correction we picked. 8666 Decl *Canonical = Result->getCanonicalDecl(); 8667 for (LookupResult::iterator I = Previous.begin(), E = Previous.end(); 8668 I != E; ++I) 8669 if ((*I)->getCanonicalDecl() == Canonical) 8670 Correction.setCorrectionDecl(*I); 8671 8672 // Let Sema know about the correction. 8673 SemaRef.MarkTypoCorrectedFunctionDefinition(Result); 8674 SemaRef.diagnoseTypo( 8675 Correction, 8676 SemaRef.PDiag(IsLocalFriend 8677 ? diag::err_no_matching_local_friend_suggest 8678 : diag::err_member_decl_does_not_match_suggest) 8679 << Name << NewDC << IsDefinition); 8680 return Result; 8681 } 8682 8683 // Pretend the typo correction never occurred 8684 ExtraArgs.D.SetIdentifier(Name.getAsIdentifierInfo(), 8685 ExtraArgs.D.getIdentifierLoc()); 8686 ExtraArgs.D.setRedeclaration(wasRedeclaration); 8687 Previous.clear(); 8688 Previous.setLookupName(Name); 8689 } 8690 8691 SemaRef.Diag(NewFD->getLocation(), DiagMsg) 8692 << Name << NewDC << IsDefinition << NewFD->getLocation(); 8693 8694 bool NewFDisConst = false; 8695 if (CXXMethodDecl *NewMD = dyn_cast<CXXMethodDecl>(NewFD)) 8696 NewFDisConst = NewMD->isConst(); 8697 8698 for (SmallVectorImpl<std::pair<FunctionDecl *, unsigned> >::iterator 8699 NearMatch = NearMatches.begin(), NearMatchEnd = NearMatches.end(); 8700 NearMatch != NearMatchEnd; ++NearMatch) { 8701 FunctionDecl *FD = NearMatch->first; 8702 CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD); 8703 bool FDisConst = MD && MD->isConst(); 8704 bool IsMember = MD || !IsLocalFriend; 8705 8706 // FIXME: These notes are poorly worded for the local friend case. 8707 if (unsigned Idx = NearMatch->second) { 8708 ParmVarDecl *FDParam = FD->getParamDecl(Idx-1); 8709 SourceLocation Loc = FDParam->getTypeSpecStartLoc(); 8710 if (Loc.isInvalid()) Loc = FD->getLocation(); 8711 SemaRef.Diag(Loc, IsMember ? diag::note_member_def_close_param_match 8712 : diag::note_local_decl_close_param_match) 8713 << Idx << FDParam->getType() 8714 << NewFD->getParamDecl(Idx - 1)->getType(); 8715 } else if (FDisConst != NewFDisConst) { 8716 SemaRef.Diag(FD->getLocation(), diag::note_member_def_close_const_match) 8717 << NewFDisConst << FD->getSourceRange().getEnd() 8718 << (NewFDisConst 8719 ? FixItHint::CreateRemoval(ExtraArgs.D.getFunctionTypeInfo() 8720 .getConstQualifierLoc()) 8721 : FixItHint::CreateInsertion(ExtraArgs.D.getFunctionTypeInfo() 8722 .getRParenLoc() 8723 .getLocWithOffset(1), 8724 " const")); 8725 } else 8726 SemaRef.Diag(FD->getLocation(), 8727 IsMember ? diag::note_member_def_close_match 8728 : diag::note_local_decl_close_match); 8729 } 8730 return nullptr; 8731 } 8732 8733 static StorageClass getFunctionStorageClass(Sema &SemaRef, Declarator &D) { 8734 switch (D.getDeclSpec().getStorageClassSpec()) { 8735 default: llvm_unreachable("Unknown storage class!"); 8736 case DeclSpec::SCS_auto: 8737 case DeclSpec::SCS_register: 8738 case DeclSpec::SCS_mutable: 8739 SemaRef.Diag(D.getDeclSpec().getStorageClassSpecLoc(), 8740 diag::err_typecheck_sclass_func); 8741 D.getMutableDeclSpec().ClearStorageClassSpecs(); 8742 D.setInvalidType(); 8743 break; 8744 case DeclSpec::SCS_unspecified: break; 8745 case DeclSpec::SCS_extern: 8746 if (D.getDeclSpec().isExternInLinkageSpec()) 8747 return SC_None; 8748 return SC_Extern; 8749 case DeclSpec::SCS_static: { 8750 if (SemaRef.CurContext->getRedeclContext()->isFunctionOrMethod()) { 8751 // C99 6.7.1p5: 8752 // The declaration of an identifier for a function that has 8753 // block scope shall have no explicit storage-class specifier 8754 // other than extern 8755 // See also (C++ [dcl.stc]p4). 8756 SemaRef.Diag(D.getDeclSpec().getStorageClassSpecLoc(), 8757 diag::err_static_block_func); 8758 break; 8759 } else 8760 return SC_Static; 8761 } 8762 case DeclSpec::SCS_private_extern: return SC_PrivateExtern; 8763 } 8764 8765 // No explicit storage class has already been returned 8766 return SC_None; 8767 } 8768 8769 static FunctionDecl *CreateNewFunctionDecl(Sema &SemaRef, Declarator &D, 8770 DeclContext *DC, QualType &R, 8771 TypeSourceInfo *TInfo, 8772 StorageClass SC, 8773 bool &IsVirtualOkay) { 8774 DeclarationNameInfo NameInfo = SemaRef.GetNameForDeclarator(D); 8775 DeclarationName Name = NameInfo.getName(); 8776 8777 FunctionDecl *NewFD = nullptr; 8778 bool isInline = D.getDeclSpec().isInlineSpecified(); 8779 8780 if (!SemaRef.getLangOpts().CPlusPlus) { 8781 // Determine whether the function was written with a prototype. This is 8782 // true when: 8783 // - there is a prototype in the declarator, or 8784 // - the type R of the function is some kind of typedef or other non- 8785 // attributed reference to a type name (which eventually refers to a 8786 // function type). Note, we can't always look at the adjusted type to 8787 // check this case because attributes may cause a non-function 8788 // declarator to still have a function type. e.g., 8789 // typedef void func(int a); 8790 // __attribute__((noreturn)) func other_func; // This has a prototype 8791 bool HasPrototype = 8792 (D.isFunctionDeclarator() && D.getFunctionTypeInfo().hasPrototype) || 8793 (D.getDeclSpec().isTypeRep() && 8794 D.getDeclSpec().getRepAsType().get()->isFunctionProtoType()) || 8795 (!R->getAsAdjusted<FunctionType>() && R->isFunctionProtoType()); 8796 assert( 8797 (HasPrototype || !SemaRef.getLangOpts().requiresStrictPrototypes()) && 8798 "Strict prototypes are required"); 8799 8800 NewFD = FunctionDecl::Create( 8801 SemaRef.Context, DC, D.getBeginLoc(), NameInfo, R, TInfo, SC, 8802 SemaRef.getCurFPFeatures().isFPConstrained(), isInline, HasPrototype, 8803 ConstexprSpecKind::Unspecified, 8804 /*TrailingRequiresClause=*/nullptr); 8805 if (D.isInvalidType()) 8806 NewFD->setInvalidDecl(); 8807 8808 return NewFD; 8809 } 8810 8811 ExplicitSpecifier ExplicitSpecifier = D.getDeclSpec().getExplicitSpecifier(); 8812 8813 ConstexprSpecKind ConstexprKind = D.getDeclSpec().getConstexprSpecifier(); 8814 if (ConstexprKind == ConstexprSpecKind::Constinit) { 8815 SemaRef.Diag(D.getDeclSpec().getConstexprSpecLoc(), 8816 diag::err_constexpr_wrong_decl_kind) 8817 << static_cast<int>(ConstexprKind); 8818 ConstexprKind = ConstexprSpecKind::Unspecified; 8819 D.getMutableDeclSpec().ClearConstexprSpec(); 8820 } 8821 Expr *TrailingRequiresClause = D.getTrailingRequiresClause(); 8822 8823 // Check that the return type is not an abstract class type. 8824 // For record types, this is done by the AbstractClassUsageDiagnoser once 8825 // the class has been completely parsed. 8826 if (!DC->isRecord() && 8827 SemaRef.RequireNonAbstractType( 8828 D.getIdentifierLoc(), R->castAs<FunctionType>()->getReturnType(), 8829 diag::err_abstract_type_in_decl, SemaRef.AbstractReturnType)) 8830 D.setInvalidType(); 8831 8832 if (Name.getNameKind() == DeclarationName::CXXConstructorName) { 8833 // This is a C++ constructor declaration. 8834 assert(DC->isRecord() && 8835 "Constructors can only be declared in a member context"); 8836 8837 R = SemaRef.CheckConstructorDeclarator(D, R, SC); 8838 return CXXConstructorDecl::Create( 8839 SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, 8840 TInfo, ExplicitSpecifier, SemaRef.getCurFPFeatures().isFPConstrained(), 8841 isInline, /*isImplicitlyDeclared=*/false, ConstexprKind, 8842 InheritedConstructor(), TrailingRequiresClause); 8843 8844 } else if (Name.getNameKind() == DeclarationName::CXXDestructorName) { 8845 // This is a C++ destructor declaration. 8846 if (DC->isRecord()) { 8847 R = SemaRef.CheckDestructorDeclarator(D, R, SC); 8848 CXXRecordDecl *Record = cast<CXXRecordDecl>(DC); 8849 CXXDestructorDecl *NewDD = CXXDestructorDecl::Create( 8850 SemaRef.Context, Record, D.getBeginLoc(), NameInfo, R, TInfo, 8851 SemaRef.getCurFPFeatures().isFPConstrained(), isInline, 8852 /*isImplicitlyDeclared=*/false, ConstexprKind, 8853 TrailingRequiresClause); 8854 8855 // If the destructor needs an implicit exception specification, set it 8856 // now. FIXME: It'd be nice to be able to create the right type to start 8857 // with, but the type needs to reference the destructor declaration. 8858 if (SemaRef.getLangOpts().CPlusPlus11) 8859 SemaRef.AdjustDestructorExceptionSpec(NewDD); 8860 8861 IsVirtualOkay = true; 8862 return NewDD; 8863 8864 } else { 8865 SemaRef.Diag(D.getIdentifierLoc(), diag::err_destructor_not_member); 8866 D.setInvalidType(); 8867 8868 // Create a FunctionDecl to satisfy the function definition parsing 8869 // code path. 8870 return FunctionDecl::Create( 8871 SemaRef.Context, DC, D.getBeginLoc(), D.getIdentifierLoc(), Name, R, 8872 TInfo, SC, SemaRef.getCurFPFeatures().isFPConstrained(), isInline, 8873 /*hasPrototype=*/true, ConstexprKind, TrailingRequiresClause); 8874 } 8875 8876 } else if (Name.getNameKind() == DeclarationName::CXXConversionFunctionName) { 8877 if (!DC->isRecord()) { 8878 SemaRef.Diag(D.getIdentifierLoc(), 8879 diag::err_conv_function_not_member); 8880 return nullptr; 8881 } 8882 8883 SemaRef.CheckConversionDeclarator(D, R, SC); 8884 if (D.isInvalidType()) 8885 return nullptr; 8886 8887 IsVirtualOkay = true; 8888 return CXXConversionDecl::Create( 8889 SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, 8890 TInfo, SemaRef.getCurFPFeatures().isFPConstrained(), isInline, 8891 ExplicitSpecifier, ConstexprKind, SourceLocation(), 8892 TrailingRequiresClause); 8893 8894 } else if (Name.getNameKind() == DeclarationName::CXXDeductionGuideName) { 8895 if (TrailingRequiresClause) 8896 SemaRef.Diag(TrailingRequiresClause->getBeginLoc(), 8897 diag::err_trailing_requires_clause_on_deduction_guide) 8898 << TrailingRequiresClause->getSourceRange(); 8899 SemaRef.CheckDeductionGuideDeclarator(D, R, SC); 8900 8901 return CXXDeductionGuideDecl::Create(SemaRef.Context, DC, D.getBeginLoc(), 8902 ExplicitSpecifier, NameInfo, R, TInfo, 8903 D.getEndLoc()); 8904 } else if (DC->isRecord()) { 8905 // If the name of the function is the same as the name of the record, 8906 // then this must be an invalid constructor that has a return type. 8907 // (The parser checks for a return type and makes the declarator a 8908 // constructor if it has no return type). 8909 if (Name.getAsIdentifierInfo() && 8910 Name.getAsIdentifierInfo() == cast<CXXRecordDecl>(DC)->getIdentifier()){ 8911 SemaRef.Diag(D.getIdentifierLoc(), diag::err_constructor_return_type) 8912 << SourceRange(D.getDeclSpec().getTypeSpecTypeLoc()) 8913 << SourceRange(D.getIdentifierLoc()); 8914 return nullptr; 8915 } 8916 8917 // This is a C++ method declaration. 8918 CXXMethodDecl *Ret = CXXMethodDecl::Create( 8919 SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, 8920 TInfo, SC, SemaRef.getCurFPFeatures().isFPConstrained(), isInline, 8921 ConstexprKind, SourceLocation(), TrailingRequiresClause); 8922 IsVirtualOkay = !Ret->isStatic(); 8923 return Ret; 8924 } else { 8925 bool isFriend = 8926 SemaRef.getLangOpts().CPlusPlus && D.getDeclSpec().isFriendSpecified(); 8927 if (!isFriend && SemaRef.CurContext->isRecord()) 8928 return nullptr; 8929 8930 // Determine whether the function was written with a 8931 // prototype. This true when: 8932 // - we're in C++ (where every function has a prototype), 8933 return FunctionDecl::Create( 8934 SemaRef.Context, DC, D.getBeginLoc(), NameInfo, R, TInfo, SC, 8935 SemaRef.getCurFPFeatures().isFPConstrained(), isInline, 8936 true /*HasPrototype*/, ConstexprKind, TrailingRequiresClause); 8937 } 8938 } 8939 8940 enum OpenCLParamType { 8941 ValidKernelParam, 8942 PtrPtrKernelParam, 8943 PtrKernelParam, 8944 InvalidAddrSpacePtrKernelParam, 8945 InvalidKernelParam, 8946 RecordKernelParam 8947 }; 8948 8949 static bool isOpenCLSizeDependentType(ASTContext &C, QualType Ty) { 8950 // Size dependent types are just typedefs to normal integer types 8951 // (e.g. unsigned long), so we cannot distinguish them from other typedefs to 8952 // integers other than by their names. 8953 StringRef SizeTypeNames[] = {"size_t", "intptr_t", "uintptr_t", "ptrdiff_t"}; 8954 8955 // Remove typedefs one by one until we reach a typedef 8956 // for a size dependent type. 8957 QualType DesugaredTy = Ty; 8958 do { 8959 ArrayRef<StringRef> Names(SizeTypeNames); 8960 auto Match = llvm::find(Names, DesugaredTy.getUnqualifiedType().getAsString()); 8961 if (Names.end() != Match) 8962 return true; 8963 8964 Ty = DesugaredTy; 8965 DesugaredTy = Ty.getSingleStepDesugaredType(C); 8966 } while (DesugaredTy != Ty); 8967 8968 return false; 8969 } 8970 8971 static OpenCLParamType getOpenCLKernelParameterType(Sema &S, QualType PT) { 8972 if (PT->isDependentType()) 8973 return InvalidKernelParam; 8974 8975 if (PT->isPointerType() || PT->isReferenceType()) { 8976 QualType PointeeType = PT->getPointeeType(); 8977 if (PointeeType.getAddressSpace() == LangAS::opencl_generic || 8978 PointeeType.getAddressSpace() == LangAS::opencl_private || 8979 PointeeType.getAddressSpace() == LangAS::Default) 8980 return InvalidAddrSpacePtrKernelParam; 8981 8982 if (PointeeType->isPointerType()) { 8983 // This is a pointer to pointer parameter. 8984 // Recursively check inner type. 8985 OpenCLParamType ParamKind = getOpenCLKernelParameterType(S, PointeeType); 8986 if (ParamKind == InvalidAddrSpacePtrKernelParam || 8987 ParamKind == InvalidKernelParam) 8988 return ParamKind; 8989 8990 return PtrPtrKernelParam; 8991 } 8992 8993 // C++ for OpenCL v1.0 s2.4: 8994 // Moreover the types used in parameters of the kernel functions must be: 8995 // Standard layout types for pointer parameters. The same applies to 8996 // reference if an implementation supports them in kernel parameters. 8997 if (S.getLangOpts().OpenCLCPlusPlus && 8998 !S.getOpenCLOptions().isAvailableOption( 8999 "__cl_clang_non_portable_kernel_param_types", S.getLangOpts()) && 9000 !PointeeType->isAtomicType() && !PointeeType->isVoidType() && 9001 !PointeeType->isStandardLayoutType()) 9002 return InvalidKernelParam; 9003 9004 return PtrKernelParam; 9005 } 9006 9007 // OpenCL v1.2 s6.9.k: 9008 // Arguments to kernel functions in a program cannot be declared with the 9009 // built-in scalar types bool, half, size_t, ptrdiff_t, intptr_t, and 9010 // uintptr_t or a struct and/or union that contain fields declared to be one 9011 // of these built-in scalar types. 9012 if (isOpenCLSizeDependentType(S.getASTContext(), PT)) 9013 return InvalidKernelParam; 9014 9015 if (PT->isImageType()) 9016 return PtrKernelParam; 9017 9018 if (PT->isBooleanType() || PT->isEventT() || PT->isReserveIDT()) 9019 return InvalidKernelParam; 9020 9021 // OpenCL extension spec v1.2 s9.5: 9022 // This extension adds support for half scalar and vector types as built-in 9023 // types that can be used for arithmetic operations, conversions etc. 9024 if (!S.getOpenCLOptions().isAvailableOption("cl_khr_fp16", S.getLangOpts()) && 9025 PT->isHalfType()) 9026 return InvalidKernelParam; 9027 9028 // Look into an array argument to check if it has a forbidden type. 9029 if (PT->isArrayType()) { 9030 const Type *UnderlyingTy = PT->getPointeeOrArrayElementType(); 9031 // Call ourself to check an underlying type of an array. Since the 9032 // getPointeeOrArrayElementType returns an innermost type which is not an 9033 // array, this recursive call only happens once. 9034 return getOpenCLKernelParameterType(S, QualType(UnderlyingTy, 0)); 9035 } 9036 9037 // C++ for OpenCL v1.0 s2.4: 9038 // Moreover the types used in parameters of the kernel functions must be: 9039 // Trivial and standard-layout types C++17 [basic.types] (plain old data 9040 // types) for parameters passed by value; 9041 if (S.getLangOpts().OpenCLCPlusPlus && 9042 !S.getOpenCLOptions().isAvailableOption( 9043 "__cl_clang_non_portable_kernel_param_types", S.getLangOpts()) && 9044 !PT->isOpenCLSpecificType() && !PT.isPODType(S.Context)) 9045 return InvalidKernelParam; 9046 9047 if (PT->isRecordType()) 9048 return RecordKernelParam; 9049 9050 return ValidKernelParam; 9051 } 9052 9053 static void checkIsValidOpenCLKernelParameter( 9054 Sema &S, 9055 Declarator &D, 9056 ParmVarDecl *Param, 9057 llvm::SmallPtrSetImpl<const Type *> &ValidTypes) { 9058 QualType PT = Param->getType(); 9059 9060 // Cache the valid types we encounter to avoid rechecking structs that are 9061 // used again 9062 if (ValidTypes.count(PT.getTypePtr())) 9063 return; 9064 9065 switch (getOpenCLKernelParameterType(S, PT)) { 9066 case PtrPtrKernelParam: 9067 // OpenCL v3.0 s6.11.a: 9068 // A kernel function argument cannot be declared as a pointer to a pointer 9069 // type. [...] This restriction only applies to OpenCL C 1.2 or below. 9070 if (S.getLangOpts().getOpenCLCompatibleVersion() <= 120) { 9071 S.Diag(Param->getLocation(), diag::err_opencl_ptrptr_kernel_param); 9072 D.setInvalidType(); 9073 return; 9074 } 9075 9076 ValidTypes.insert(PT.getTypePtr()); 9077 return; 9078 9079 case InvalidAddrSpacePtrKernelParam: 9080 // OpenCL v1.0 s6.5: 9081 // __kernel function arguments declared to be a pointer of a type can point 9082 // to one of the following address spaces only : __global, __local or 9083 // __constant. 9084 S.Diag(Param->getLocation(), diag::err_kernel_arg_address_space); 9085 D.setInvalidType(); 9086 return; 9087 9088 // OpenCL v1.2 s6.9.k: 9089 // Arguments to kernel functions in a program cannot be declared with the 9090 // built-in scalar types bool, half, size_t, ptrdiff_t, intptr_t, and 9091 // uintptr_t or a struct and/or union that contain fields declared to be 9092 // one of these built-in scalar types. 9093 9094 case InvalidKernelParam: 9095 // OpenCL v1.2 s6.8 n: 9096 // A kernel function argument cannot be declared 9097 // of event_t type. 9098 // Do not diagnose half type since it is diagnosed as invalid argument 9099 // type for any function elsewhere. 9100 if (!PT->isHalfType()) { 9101 S.Diag(Param->getLocation(), diag::err_bad_kernel_param_type) << PT; 9102 9103 // Explain what typedefs are involved. 9104 const TypedefType *Typedef = nullptr; 9105 while ((Typedef = PT->getAs<TypedefType>())) { 9106 SourceLocation Loc = Typedef->getDecl()->getLocation(); 9107 // SourceLocation may be invalid for a built-in type. 9108 if (Loc.isValid()) 9109 S.Diag(Loc, diag::note_entity_declared_at) << PT; 9110 PT = Typedef->desugar(); 9111 } 9112 } 9113 9114 D.setInvalidType(); 9115 return; 9116 9117 case PtrKernelParam: 9118 case ValidKernelParam: 9119 ValidTypes.insert(PT.getTypePtr()); 9120 return; 9121 9122 case RecordKernelParam: 9123 break; 9124 } 9125 9126 // Track nested structs we will inspect 9127 SmallVector<const Decl *, 4> VisitStack; 9128 9129 // Track where we are in the nested structs. Items will migrate from 9130 // VisitStack to HistoryStack as we do the DFS for bad field. 9131 SmallVector<const FieldDecl *, 4> HistoryStack; 9132 HistoryStack.push_back(nullptr); 9133 9134 // At this point we already handled everything except of a RecordType or 9135 // an ArrayType of a RecordType. 9136 assert((PT->isArrayType() || PT->isRecordType()) && "Unexpected type."); 9137 const RecordType *RecTy = 9138 PT->getPointeeOrArrayElementType()->getAs<RecordType>(); 9139 const RecordDecl *OrigRecDecl = RecTy->getDecl(); 9140 9141 VisitStack.push_back(RecTy->getDecl()); 9142 assert(VisitStack.back() && "First decl null?"); 9143 9144 do { 9145 const Decl *Next = VisitStack.pop_back_val(); 9146 if (!Next) { 9147 assert(!HistoryStack.empty()); 9148 // Found a marker, we have gone up a level 9149 if (const FieldDecl *Hist = HistoryStack.pop_back_val()) 9150 ValidTypes.insert(Hist->getType().getTypePtr()); 9151 9152 continue; 9153 } 9154 9155 // Adds everything except the original parameter declaration (which is not a 9156 // field itself) to the history stack. 9157 const RecordDecl *RD; 9158 if (const FieldDecl *Field = dyn_cast<FieldDecl>(Next)) { 9159 HistoryStack.push_back(Field); 9160 9161 QualType FieldTy = Field->getType(); 9162 // Other field types (known to be valid or invalid) are handled while we 9163 // walk around RecordDecl::fields(). 9164 assert((FieldTy->isArrayType() || FieldTy->isRecordType()) && 9165 "Unexpected type."); 9166 const Type *FieldRecTy = FieldTy->getPointeeOrArrayElementType(); 9167 9168 RD = FieldRecTy->castAs<RecordType>()->getDecl(); 9169 } else { 9170 RD = cast<RecordDecl>(Next); 9171 } 9172 9173 // Add a null marker so we know when we've gone back up a level 9174 VisitStack.push_back(nullptr); 9175 9176 for (const auto *FD : RD->fields()) { 9177 QualType QT = FD->getType(); 9178 9179 if (ValidTypes.count(QT.getTypePtr())) 9180 continue; 9181 9182 OpenCLParamType ParamType = getOpenCLKernelParameterType(S, QT); 9183 if (ParamType == ValidKernelParam) 9184 continue; 9185 9186 if (ParamType == RecordKernelParam) { 9187 VisitStack.push_back(FD); 9188 continue; 9189 } 9190 9191 // OpenCL v1.2 s6.9.p: 9192 // Arguments to kernel functions that are declared to be a struct or union 9193 // do not allow OpenCL objects to be passed as elements of the struct or 9194 // union. 9195 if (ParamType == PtrKernelParam || ParamType == PtrPtrKernelParam || 9196 ParamType == InvalidAddrSpacePtrKernelParam) { 9197 S.Diag(Param->getLocation(), 9198 diag::err_record_with_pointers_kernel_param) 9199 << PT->isUnionType() 9200 << PT; 9201 } else { 9202 S.Diag(Param->getLocation(), diag::err_bad_kernel_param_type) << PT; 9203 } 9204 9205 S.Diag(OrigRecDecl->getLocation(), diag::note_within_field_of_type) 9206 << OrigRecDecl->getDeclName(); 9207 9208 // We have an error, now let's go back up through history and show where 9209 // the offending field came from 9210 for (ArrayRef<const FieldDecl *>::const_iterator 9211 I = HistoryStack.begin() + 1, 9212 E = HistoryStack.end(); 9213 I != E; ++I) { 9214 const FieldDecl *OuterField = *I; 9215 S.Diag(OuterField->getLocation(), diag::note_within_field_of_type) 9216 << OuterField->getType(); 9217 } 9218 9219 S.Diag(FD->getLocation(), diag::note_illegal_field_declared_here) 9220 << QT->isPointerType() 9221 << QT; 9222 D.setInvalidType(); 9223 return; 9224 } 9225 } while (!VisitStack.empty()); 9226 } 9227 9228 /// Find the DeclContext in which a tag is implicitly declared if we see an 9229 /// elaborated type specifier in the specified context, and lookup finds 9230 /// nothing. 9231 static DeclContext *getTagInjectionContext(DeclContext *DC) { 9232 while (!DC->isFileContext() && !DC->isFunctionOrMethod()) 9233 DC = DC->getParent(); 9234 return DC; 9235 } 9236 9237 /// Find the Scope in which a tag is implicitly declared if we see an 9238 /// elaborated type specifier in the specified context, and lookup finds 9239 /// nothing. 9240 static Scope *getTagInjectionScope(Scope *S, const LangOptions &LangOpts) { 9241 while (S->isClassScope() || 9242 (LangOpts.CPlusPlus && 9243 S->isFunctionPrototypeScope()) || 9244 ((S->getFlags() & Scope::DeclScope) == 0) || 9245 (S->getEntity() && S->getEntity()->isTransparentContext())) 9246 S = S->getParent(); 9247 return S; 9248 } 9249 9250 /// Determine whether a declaration matches a known function in namespace std. 9251 static bool isStdBuiltin(ASTContext &Ctx, FunctionDecl *FD, 9252 unsigned BuiltinID) { 9253 switch (BuiltinID) { 9254 case Builtin::BI__GetExceptionInfo: 9255 // No type checking whatsoever. 9256 return Ctx.getTargetInfo().getCXXABI().isMicrosoft(); 9257 9258 case Builtin::BIaddressof: 9259 case Builtin::BI__addressof: 9260 case Builtin::BIforward: 9261 case Builtin::BImove: 9262 case Builtin::BImove_if_noexcept: 9263 case Builtin::BIas_const: { 9264 // Ensure that we don't treat the algorithm 9265 // OutputIt std::move(InputIt, InputIt, OutputIt) 9266 // as the builtin std::move. 9267 const auto *FPT = FD->getType()->castAs<FunctionProtoType>(); 9268 return FPT->getNumParams() == 1 && !FPT->isVariadic(); 9269 } 9270 9271 default: 9272 return false; 9273 } 9274 } 9275 9276 NamedDecl* 9277 Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC, 9278 TypeSourceInfo *TInfo, LookupResult &Previous, 9279 MultiTemplateParamsArg TemplateParamListsRef, 9280 bool &AddToScope) { 9281 QualType R = TInfo->getType(); 9282 9283 assert(R->isFunctionType()); 9284 if (R.getCanonicalType()->castAs<FunctionType>()->getCmseNSCallAttr()) 9285 Diag(D.getIdentifierLoc(), diag::err_function_decl_cmse_ns_call); 9286 9287 SmallVector<TemplateParameterList *, 4> TemplateParamLists; 9288 llvm::append_range(TemplateParamLists, TemplateParamListsRef); 9289 if (TemplateParameterList *Invented = D.getInventedTemplateParameterList()) { 9290 if (!TemplateParamLists.empty() && 9291 Invented->getDepth() == TemplateParamLists.back()->getDepth()) 9292 TemplateParamLists.back() = Invented; 9293 else 9294 TemplateParamLists.push_back(Invented); 9295 } 9296 9297 // TODO: consider using NameInfo for diagnostic. 9298 DeclarationNameInfo NameInfo = GetNameForDeclarator(D); 9299 DeclarationName Name = NameInfo.getName(); 9300 StorageClass SC = getFunctionStorageClass(*this, D); 9301 9302 if (DeclSpec::TSCS TSCS = D.getDeclSpec().getThreadStorageClassSpec()) 9303 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 9304 diag::err_invalid_thread) 9305 << DeclSpec::getSpecifierName(TSCS); 9306 9307 if (D.isFirstDeclarationOfMember()) 9308 adjustMemberFunctionCC(R, D.isStaticMember(), D.isCtorOrDtor(), 9309 D.getIdentifierLoc()); 9310 9311 bool isFriend = false; 9312 FunctionTemplateDecl *FunctionTemplate = nullptr; 9313 bool isMemberSpecialization = false; 9314 bool isFunctionTemplateSpecialization = false; 9315 9316 bool isDependentClassScopeExplicitSpecialization = false; 9317 bool HasExplicitTemplateArgs = false; 9318 TemplateArgumentListInfo TemplateArgs; 9319 9320 bool isVirtualOkay = false; 9321 9322 DeclContext *OriginalDC = DC; 9323 bool IsLocalExternDecl = adjustContextForLocalExternDecl(DC); 9324 9325 FunctionDecl *NewFD = CreateNewFunctionDecl(*this, D, DC, R, TInfo, SC, 9326 isVirtualOkay); 9327 if (!NewFD) return nullptr; 9328 9329 if (OriginalLexicalContext && OriginalLexicalContext->isObjCContainer()) 9330 NewFD->setTopLevelDeclInObjCContainer(); 9331 9332 // Set the lexical context. If this is a function-scope declaration, or has a 9333 // C++ scope specifier, or is the object of a friend declaration, the lexical 9334 // context will be different from the semantic context. 9335 NewFD->setLexicalDeclContext(CurContext); 9336 9337 if (IsLocalExternDecl) 9338 NewFD->setLocalExternDecl(); 9339 9340 if (getLangOpts().CPlusPlus) { 9341 bool isInline = D.getDeclSpec().isInlineSpecified(); 9342 bool isVirtual = D.getDeclSpec().isVirtualSpecified(); 9343 bool hasExplicit = D.getDeclSpec().hasExplicitSpecifier(); 9344 isFriend = D.getDeclSpec().isFriendSpecified(); 9345 if (isFriend && !isInline && D.isFunctionDefinition()) { 9346 // C++ [class.friend]p5 9347 // A function can be defined in a friend declaration of a 9348 // class . . . . Such a function is implicitly inline. 9349 NewFD->setImplicitlyInline(); 9350 } 9351 9352 // If this is a method defined in an __interface, and is not a constructor 9353 // or an overloaded operator, then set the pure flag (isVirtual will already 9354 // return true). 9355 if (const CXXRecordDecl *Parent = 9356 dyn_cast<CXXRecordDecl>(NewFD->getDeclContext())) { 9357 if (Parent->isInterface() && cast<CXXMethodDecl>(NewFD)->isUserProvided()) 9358 NewFD->setPure(true); 9359 9360 // C++ [class.union]p2 9361 // A union can have member functions, but not virtual functions. 9362 if (isVirtual && Parent->isUnion()) { 9363 Diag(D.getDeclSpec().getVirtualSpecLoc(), diag::err_virtual_in_union); 9364 NewFD->setInvalidDecl(); 9365 } 9366 if ((Parent->isClass() || Parent->isStruct()) && 9367 Parent->hasAttr<SYCLSpecialClassAttr>() && 9368 NewFD->getKind() == Decl::Kind::CXXMethod && NewFD->getIdentifier() && 9369 NewFD->getName() == "__init" && D.isFunctionDefinition()) { 9370 if (auto *Def = Parent->getDefinition()) 9371 Def->setInitMethod(true); 9372 } 9373 } 9374 9375 SetNestedNameSpecifier(*this, NewFD, D); 9376 isMemberSpecialization = false; 9377 isFunctionTemplateSpecialization = false; 9378 if (D.isInvalidType()) 9379 NewFD->setInvalidDecl(); 9380 9381 // Match up the template parameter lists with the scope specifier, then 9382 // determine whether we have a template or a template specialization. 9383 bool Invalid = false; 9384 TemplateParameterList *TemplateParams = 9385 MatchTemplateParametersToScopeSpecifier( 9386 D.getDeclSpec().getBeginLoc(), D.getIdentifierLoc(), 9387 D.getCXXScopeSpec(), 9388 D.getName().getKind() == UnqualifiedIdKind::IK_TemplateId 9389 ? D.getName().TemplateId 9390 : nullptr, 9391 TemplateParamLists, isFriend, isMemberSpecialization, 9392 Invalid); 9393 if (TemplateParams) { 9394 // Check that we can declare a template here. 9395 if (CheckTemplateDeclScope(S, TemplateParams)) 9396 NewFD->setInvalidDecl(); 9397 9398 if (TemplateParams->size() > 0) { 9399 // This is a function template 9400 9401 // A destructor cannot be a template. 9402 if (Name.getNameKind() == DeclarationName::CXXDestructorName) { 9403 Diag(NewFD->getLocation(), diag::err_destructor_template); 9404 NewFD->setInvalidDecl(); 9405 } 9406 9407 // If we're adding a template to a dependent context, we may need to 9408 // rebuilding some of the types used within the template parameter list, 9409 // now that we know what the current instantiation is. 9410 if (DC->isDependentContext()) { 9411 ContextRAII SavedContext(*this, DC); 9412 if (RebuildTemplateParamsInCurrentInstantiation(TemplateParams)) 9413 Invalid = true; 9414 } 9415 9416 FunctionTemplate = FunctionTemplateDecl::Create(Context, DC, 9417 NewFD->getLocation(), 9418 Name, TemplateParams, 9419 NewFD); 9420 FunctionTemplate->setLexicalDeclContext(CurContext); 9421 NewFD->setDescribedFunctionTemplate(FunctionTemplate); 9422 9423 // For source fidelity, store the other template param lists. 9424 if (TemplateParamLists.size() > 1) { 9425 NewFD->setTemplateParameterListsInfo(Context, 9426 ArrayRef<TemplateParameterList *>(TemplateParamLists) 9427 .drop_back(1)); 9428 } 9429 } else { 9430 // This is a function template specialization. 9431 isFunctionTemplateSpecialization = true; 9432 // For source fidelity, store all the template param lists. 9433 if (TemplateParamLists.size() > 0) 9434 NewFD->setTemplateParameterListsInfo(Context, TemplateParamLists); 9435 9436 // C++0x [temp.expl.spec]p20 forbids "template<> friend void foo(int);". 9437 if (isFriend) { 9438 // We want to remove the "template<>", found here. 9439 SourceRange RemoveRange = TemplateParams->getSourceRange(); 9440 9441 // If we remove the template<> and the name is not a 9442 // template-id, we're actually silently creating a problem: 9443 // the friend declaration will refer to an untemplated decl, 9444 // and clearly the user wants a template specialization. So 9445 // we need to insert '<>' after the name. 9446 SourceLocation InsertLoc; 9447 if (D.getName().getKind() != UnqualifiedIdKind::IK_TemplateId) { 9448 InsertLoc = D.getName().getSourceRange().getEnd(); 9449 InsertLoc = getLocForEndOfToken(InsertLoc); 9450 } 9451 9452 Diag(D.getIdentifierLoc(), diag::err_template_spec_decl_friend) 9453 << Name << RemoveRange 9454 << FixItHint::CreateRemoval(RemoveRange) 9455 << FixItHint::CreateInsertion(InsertLoc, "<>"); 9456 Invalid = true; 9457 } 9458 } 9459 } else { 9460 // Check that we can declare a template here. 9461 if (!TemplateParamLists.empty() && isMemberSpecialization && 9462 CheckTemplateDeclScope(S, TemplateParamLists.back())) 9463 NewFD->setInvalidDecl(); 9464 9465 // All template param lists were matched against the scope specifier: 9466 // this is NOT (an explicit specialization of) a template. 9467 if (TemplateParamLists.size() > 0) 9468 // For source fidelity, store all the template param lists. 9469 NewFD->setTemplateParameterListsInfo(Context, TemplateParamLists); 9470 } 9471 9472 if (Invalid) { 9473 NewFD->setInvalidDecl(); 9474 if (FunctionTemplate) 9475 FunctionTemplate->setInvalidDecl(); 9476 } 9477 9478 // C++ [dcl.fct.spec]p5: 9479 // The virtual specifier shall only be used in declarations of 9480 // nonstatic class member functions that appear within a 9481 // member-specification of a class declaration; see 10.3. 9482 // 9483 if (isVirtual && !NewFD->isInvalidDecl()) { 9484 if (!isVirtualOkay) { 9485 Diag(D.getDeclSpec().getVirtualSpecLoc(), 9486 diag::err_virtual_non_function); 9487 } else if (!CurContext->isRecord()) { 9488 // 'virtual' was specified outside of the class. 9489 Diag(D.getDeclSpec().getVirtualSpecLoc(), 9490 diag::err_virtual_out_of_class) 9491 << FixItHint::CreateRemoval(D.getDeclSpec().getVirtualSpecLoc()); 9492 } else if (NewFD->getDescribedFunctionTemplate()) { 9493 // C++ [temp.mem]p3: 9494 // A member function template shall not be virtual. 9495 Diag(D.getDeclSpec().getVirtualSpecLoc(), 9496 diag::err_virtual_member_function_template) 9497 << FixItHint::CreateRemoval(D.getDeclSpec().getVirtualSpecLoc()); 9498 } else { 9499 // Okay: Add virtual to the method. 9500 NewFD->setVirtualAsWritten(true); 9501 } 9502 9503 if (getLangOpts().CPlusPlus14 && 9504 NewFD->getReturnType()->isUndeducedType()) 9505 Diag(D.getDeclSpec().getVirtualSpecLoc(), diag::err_auto_fn_virtual); 9506 } 9507 9508 if (getLangOpts().CPlusPlus14 && 9509 (NewFD->isDependentContext() || 9510 (isFriend && CurContext->isDependentContext())) && 9511 NewFD->getReturnType()->isUndeducedType()) { 9512 // If the function template is referenced directly (for instance, as a 9513 // member of the current instantiation), pretend it has a dependent type. 9514 // This is not really justified by the standard, but is the only sane 9515 // thing to do. 9516 // FIXME: For a friend function, we have not marked the function as being 9517 // a friend yet, so 'isDependentContext' on the FD doesn't work. 9518 const FunctionProtoType *FPT = 9519 NewFD->getType()->castAs<FunctionProtoType>(); 9520 QualType Result = SubstAutoTypeDependent(FPT->getReturnType()); 9521 NewFD->setType(Context.getFunctionType(Result, FPT->getParamTypes(), 9522 FPT->getExtProtoInfo())); 9523 } 9524 9525 // C++ [dcl.fct.spec]p3: 9526 // The inline specifier shall not appear on a block scope function 9527 // declaration. 9528 if (isInline && !NewFD->isInvalidDecl()) { 9529 if (CurContext->isFunctionOrMethod()) { 9530 // 'inline' is not allowed on block scope function declaration. 9531 Diag(D.getDeclSpec().getInlineSpecLoc(), 9532 diag::err_inline_declaration_block_scope) << Name 9533 << FixItHint::CreateRemoval(D.getDeclSpec().getInlineSpecLoc()); 9534 } 9535 } 9536 9537 // C++ [dcl.fct.spec]p6: 9538 // The explicit specifier shall be used only in the declaration of a 9539 // constructor or conversion function within its class definition; 9540 // see 12.3.1 and 12.3.2. 9541 if (hasExplicit && !NewFD->isInvalidDecl() && 9542 !isa<CXXDeductionGuideDecl>(NewFD)) { 9543 if (!CurContext->isRecord()) { 9544 // 'explicit' was specified outside of the class. 9545 Diag(D.getDeclSpec().getExplicitSpecLoc(), 9546 diag::err_explicit_out_of_class) 9547 << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecRange()); 9548 } else if (!isa<CXXConstructorDecl>(NewFD) && 9549 !isa<CXXConversionDecl>(NewFD)) { 9550 // 'explicit' was specified on a function that wasn't a constructor 9551 // or conversion function. 9552 Diag(D.getDeclSpec().getExplicitSpecLoc(), 9553 diag::err_explicit_non_ctor_or_conv_function) 9554 << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecRange()); 9555 } 9556 } 9557 9558 ConstexprSpecKind ConstexprKind = D.getDeclSpec().getConstexprSpecifier(); 9559 if (ConstexprKind != ConstexprSpecKind::Unspecified) { 9560 // C++11 [dcl.constexpr]p2: constexpr functions and constexpr constructors 9561 // are implicitly inline. 9562 NewFD->setImplicitlyInline(); 9563 9564 // C++11 [dcl.constexpr]p3: functions declared constexpr are required to 9565 // be either constructors or to return a literal type. Therefore, 9566 // destructors cannot be declared constexpr. 9567 if (isa<CXXDestructorDecl>(NewFD) && 9568 (!getLangOpts().CPlusPlus20 || 9569 ConstexprKind == ConstexprSpecKind::Consteval)) { 9570 Diag(D.getDeclSpec().getConstexprSpecLoc(), diag::err_constexpr_dtor) 9571 << static_cast<int>(ConstexprKind); 9572 NewFD->setConstexprKind(getLangOpts().CPlusPlus20 9573 ? ConstexprSpecKind::Unspecified 9574 : ConstexprSpecKind::Constexpr); 9575 } 9576 // C++20 [dcl.constexpr]p2: An allocation function, or a 9577 // deallocation function shall not be declared with the consteval 9578 // specifier. 9579 if (ConstexprKind == ConstexprSpecKind::Consteval && 9580 (NewFD->getOverloadedOperator() == OO_New || 9581 NewFD->getOverloadedOperator() == OO_Array_New || 9582 NewFD->getOverloadedOperator() == OO_Delete || 9583 NewFD->getOverloadedOperator() == OO_Array_Delete)) { 9584 Diag(D.getDeclSpec().getConstexprSpecLoc(), 9585 diag::err_invalid_consteval_decl_kind) 9586 << NewFD; 9587 NewFD->setConstexprKind(ConstexprSpecKind::Constexpr); 9588 } 9589 } 9590 9591 // If __module_private__ was specified, mark the function accordingly. 9592 if (D.getDeclSpec().isModulePrivateSpecified()) { 9593 if (isFunctionTemplateSpecialization) { 9594 SourceLocation ModulePrivateLoc 9595 = D.getDeclSpec().getModulePrivateSpecLoc(); 9596 Diag(ModulePrivateLoc, diag::err_module_private_specialization) 9597 << 0 9598 << FixItHint::CreateRemoval(ModulePrivateLoc); 9599 } else { 9600 NewFD->setModulePrivate(); 9601 if (FunctionTemplate) 9602 FunctionTemplate->setModulePrivate(); 9603 } 9604 } 9605 9606 if (isFriend) { 9607 if (FunctionTemplate) { 9608 FunctionTemplate->setObjectOfFriendDecl(); 9609 FunctionTemplate->setAccess(AS_public); 9610 } 9611 NewFD->setObjectOfFriendDecl(); 9612 NewFD->setAccess(AS_public); 9613 } 9614 9615 // If a function is defined as defaulted or deleted, mark it as such now. 9616 // We'll do the relevant checks on defaulted / deleted functions later. 9617 switch (D.getFunctionDefinitionKind()) { 9618 case FunctionDefinitionKind::Declaration: 9619 case FunctionDefinitionKind::Definition: 9620 break; 9621 9622 case FunctionDefinitionKind::Defaulted: 9623 NewFD->setDefaulted(); 9624 break; 9625 9626 case FunctionDefinitionKind::Deleted: 9627 NewFD->setDeletedAsWritten(); 9628 break; 9629 } 9630 9631 if (isa<CXXMethodDecl>(NewFD) && DC == CurContext && 9632 D.isFunctionDefinition()) { 9633 // C++ [class.mfct]p2: 9634 // A member function may be defined (8.4) in its class definition, in 9635 // which case it is an inline member function (7.1.2) 9636 NewFD->setImplicitlyInline(); 9637 } 9638 9639 if (SC == SC_Static && isa<CXXMethodDecl>(NewFD) && 9640 !CurContext->isRecord()) { 9641 // C++ [class.static]p1: 9642 // A data or function member of a class may be declared static 9643 // in a class definition, in which case it is a static member of 9644 // the class. 9645 9646 // Complain about the 'static' specifier if it's on an out-of-line 9647 // member function definition. 9648 9649 // MSVC permits the use of a 'static' storage specifier on an out-of-line 9650 // member function template declaration and class member template 9651 // declaration (MSVC versions before 2015), warn about this. 9652 Diag(D.getDeclSpec().getStorageClassSpecLoc(), 9653 ((!getLangOpts().isCompatibleWithMSVC(LangOptions::MSVC2015) && 9654 cast<CXXRecordDecl>(DC)->getDescribedClassTemplate()) || 9655 (getLangOpts().MSVCCompat && NewFD->getDescribedFunctionTemplate())) 9656 ? diag::ext_static_out_of_line : diag::err_static_out_of_line) 9657 << FixItHint::CreateRemoval(D.getDeclSpec().getStorageClassSpecLoc()); 9658 } 9659 9660 // C++11 [except.spec]p15: 9661 // A deallocation function with no exception-specification is treated 9662 // as if it were specified with noexcept(true). 9663 const FunctionProtoType *FPT = R->getAs<FunctionProtoType>(); 9664 if ((Name.getCXXOverloadedOperator() == OO_Delete || 9665 Name.getCXXOverloadedOperator() == OO_Array_Delete) && 9666 getLangOpts().CPlusPlus11 && FPT && !FPT->hasExceptionSpec()) 9667 NewFD->setType(Context.getFunctionType( 9668 FPT->getReturnType(), FPT->getParamTypes(), 9669 FPT->getExtProtoInfo().withExceptionSpec(EST_BasicNoexcept))); 9670 } 9671 9672 // Filter out previous declarations that don't match the scope. 9673 FilterLookupForScope(Previous, OriginalDC, S, shouldConsiderLinkage(NewFD), 9674 D.getCXXScopeSpec().isNotEmpty() || 9675 isMemberSpecialization || 9676 isFunctionTemplateSpecialization); 9677 9678 // Handle GNU asm-label extension (encoded as an attribute). 9679 if (Expr *E = (Expr*) D.getAsmLabel()) { 9680 // The parser guarantees this is a string. 9681 StringLiteral *SE = cast<StringLiteral>(E); 9682 NewFD->addAttr(AsmLabelAttr::Create(Context, SE->getString(), 9683 /*IsLiteralLabel=*/true, 9684 SE->getStrTokenLoc(0))); 9685 } else if (!ExtnameUndeclaredIdentifiers.empty()) { 9686 llvm::DenseMap<IdentifierInfo*,AsmLabelAttr*>::iterator I = 9687 ExtnameUndeclaredIdentifiers.find(NewFD->getIdentifier()); 9688 if (I != ExtnameUndeclaredIdentifiers.end()) { 9689 if (isDeclExternC(NewFD)) { 9690 NewFD->addAttr(I->second); 9691 ExtnameUndeclaredIdentifiers.erase(I); 9692 } else 9693 Diag(NewFD->getLocation(), diag::warn_redefine_extname_not_applied) 9694 << /*Variable*/0 << NewFD; 9695 } 9696 } 9697 9698 // Copy the parameter declarations from the declarator D to the function 9699 // declaration NewFD, if they are available. First scavenge them into Params. 9700 SmallVector<ParmVarDecl*, 16> Params; 9701 unsigned FTIIdx; 9702 if (D.isFunctionDeclarator(FTIIdx)) { 9703 DeclaratorChunk::FunctionTypeInfo &FTI = D.getTypeObject(FTIIdx).Fun; 9704 9705 // Check for C99 6.7.5.3p10 - foo(void) is a non-varargs 9706 // function that takes no arguments, not a function that takes a 9707 // single void argument. 9708 // We let through "const void" here because Sema::GetTypeForDeclarator 9709 // already checks for that case. 9710 if (FTIHasNonVoidParameters(FTI) && FTI.Params[0].Param) { 9711 for (unsigned i = 0, e = FTI.NumParams; i != e; ++i) { 9712 ParmVarDecl *Param = cast<ParmVarDecl>(FTI.Params[i].Param); 9713 assert(Param->getDeclContext() != NewFD && "Was set before ?"); 9714 Param->setDeclContext(NewFD); 9715 Params.push_back(Param); 9716 9717 if (Param->isInvalidDecl()) 9718 NewFD->setInvalidDecl(); 9719 } 9720 } 9721 9722 if (!getLangOpts().CPlusPlus) { 9723 // In C, find all the tag declarations from the prototype and move them 9724 // into the function DeclContext. Remove them from the surrounding tag 9725 // injection context of the function, which is typically but not always 9726 // the TU. 9727 DeclContext *PrototypeTagContext = 9728 getTagInjectionContext(NewFD->getLexicalDeclContext()); 9729 for (NamedDecl *NonParmDecl : FTI.getDeclsInPrototype()) { 9730 auto *TD = dyn_cast<TagDecl>(NonParmDecl); 9731 9732 // We don't want to reparent enumerators. Look at their parent enum 9733 // instead. 9734 if (!TD) { 9735 if (auto *ECD = dyn_cast<EnumConstantDecl>(NonParmDecl)) 9736 TD = cast<EnumDecl>(ECD->getDeclContext()); 9737 } 9738 if (!TD) 9739 continue; 9740 DeclContext *TagDC = TD->getLexicalDeclContext(); 9741 if (!TagDC->containsDecl(TD)) 9742 continue; 9743 TagDC->removeDecl(TD); 9744 TD->setDeclContext(NewFD); 9745 NewFD->addDecl(TD); 9746 9747 // Preserve the lexical DeclContext if it is not the surrounding tag 9748 // injection context of the FD. In this example, the semantic context of 9749 // E will be f and the lexical context will be S, while both the 9750 // semantic and lexical contexts of S will be f: 9751 // void f(struct S { enum E { a } f; } s); 9752 if (TagDC != PrototypeTagContext) 9753 TD->setLexicalDeclContext(TagDC); 9754 } 9755 } 9756 } else if (const FunctionProtoType *FT = R->getAs<FunctionProtoType>()) { 9757 // When we're declaring a function with a typedef, typeof, etc as in the 9758 // following example, we'll need to synthesize (unnamed) 9759 // parameters for use in the declaration. 9760 // 9761 // @code 9762 // typedef void fn(int); 9763 // fn f; 9764 // @endcode 9765 9766 // Synthesize a parameter for each argument type. 9767 for (const auto &AI : FT->param_types()) { 9768 ParmVarDecl *Param = 9769 BuildParmVarDeclForTypedef(NewFD, D.getIdentifierLoc(), AI); 9770 Param->setScopeInfo(0, Params.size()); 9771 Params.push_back(Param); 9772 } 9773 } else { 9774 assert(R->isFunctionNoProtoType() && NewFD->getNumParams() == 0 && 9775 "Should not need args for typedef of non-prototype fn"); 9776 } 9777 9778 // Finally, we know we have the right number of parameters, install them. 9779 NewFD->setParams(Params); 9780 9781 if (D.getDeclSpec().isNoreturnSpecified()) 9782 NewFD->addAttr(C11NoReturnAttr::Create(Context, 9783 D.getDeclSpec().getNoreturnSpecLoc(), 9784 AttributeCommonInfo::AS_Keyword)); 9785 9786 // Functions returning a variably modified type violate C99 6.7.5.2p2 9787 // because all functions have linkage. 9788 if (!NewFD->isInvalidDecl() && 9789 NewFD->getReturnType()->isVariablyModifiedType()) { 9790 Diag(NewFD->getLocation(), diag::err_vm_func_decl); 9791 NewFD->setInvalidDecl(); 9792 } 9793 9794 // Apply an implicit SectionAttr if '#pragma clang section text' is active 9795 if (PragmaClangTextSection.Valid && D.isFunctionDefinition() && 9796 !NewFD->hasAttr<SectionAttr>()) 9797 NewFD->addAttr(PragmaClangTextSectionAttr::CreateImplicit( 9798 Context, PragmaClangTextSection.SectionName, 9799 PragmaClangTextSection.PragmaLocation, AttributeCommonInfo::AS_Pragma)); 9800 9801 // Apply an implicit SectionAttr if #pragma code_seg is active. 9802 if (CodeSegStack.CurrentValue && D.isFunctionDefinition() && 9803 !NewFD->hasAttr<SectionAttr>()) { 9804 NewFD->addAttr(SectionAttr::CreateImplicit( 9805 Context, CodeSegStack.CurrentValue->getString(), 9806 CodeSegStack.CurrentPragmaLocation, AttributeCommonInfo::AS_Pragma, 9807 SectionAttr::Declspec_allocate)); 9808 if (UnifySection(CodeSegStack.CurrentValue->getString(), 9809 ASTContext::PSF_Implicit | ASTContext::PSF_Execute | 9810 ASTContext::PSF_Read, 9811 NewFD)) 9812 NewFD->dropAttr<SectionAttr>(); 9813 } 9814 9815 // Apply an implicit CodeSegAttr from class declspec or 9816 // apply an implicit SectionAttr from #pragma code_seg if active. 9817 if (!NewFD->hasAttr<CodeSegAttr>()) { 9818 if (Attr *SAttr = getImplicitCodeSegOrSectionAttrForFunction(NewFD, 9819 D.isFunctionDefinition())) { 9820 NewFD->addAttr(SAttr); 9821 } 9822 } 9823 9824 // Handle attributes. 9825 ProcessDeclAttributes(S, NewFD, D); 9826 9827 if (getLangOpts().OpenCL) { 9828 // OpenCL v1.1 s6.5: Using an address space qualifier in a function return 9829 // type declaration will generate a compilation error. 9830 LangAS AddressSpace = NewFD->getReturnType().getAddressSpace(); 9831 if (AddressSpace != LangAS::Default) { 9832 Diag(NewFD->getLocation(), 9833 diag::err_opencl_return_value_with_address_space); 9834 NewFD->setInvalidDecl(); 9835 } 9836 } 9837 9838 if (!getLangOpts().CPlusPlus) { 9839 // Perform semantic checking on the function declaration. 9840 if (!NewFD->isInvalidDecl() && NewFD->isMain()) 9841 CheckMain(NewFD, D.getDeclSpec()); 9842 9843 if (!NewFD->isInvalidDecl() && NewFD->isMSVCRTEntryPoint()) 9844 CheckMSVCRTEntryPoint(NewFD); 9845 9846 if (!NewFD->isInvalidDecl()) 9847 D.setRedeclaration(CheckFunctionDeclaration(S, NewFD, Previous, 9848 isMemberSpecialization, 9849 D.isFunctionDefinition())); 9850 else if (!Previous.empty()) 9851 // Recover gracefully from an invalid redeclaration. 9852 D.setRedeclaration(true); 9853 assert((NewFD->isInvalidDecl() || !D.isRedeclaration() || 9854 Previous.getResultKind() != LookupResult::FoundOverloaded) && 9855 "previous declaration set still overloaded"); 9856 9857 // Diagnose no-prototype function declarations with calling conventions that 9858 // don't support variadic calls. Only do this in C and do it after merging 9859 // possibly prototyped redeclarations. 9860 const FunctionType *FT = NewFD->getType()->castAs<FunctionType>(); 9861 if (isa<FunctionNoProtoType>(FT) && !D.isFunctionDefinition()) { 9862 CallingConv CC = FT->getExtInfo().getCC(); 9863 if (!supportsVariadicCall(CC)) { 9864 // Windows system headers sometimes accidentally use stdcall without 9865 // (void) parameters, so we relax this to a warning. 9866 int DiagID = 9867 CC == CC_X86StdCall ? diag::warn_cconv_knr : diag::err_cconv_knr; 9868 Diag(NewFD->getLocation(), DiagID) 9869 << FunctionType::getNameForCallConv(CC); 9870 } 9871 } 9872 9873 if (NewFD->getReturnType().hasNonTrivialToPrimitiveDestructCUnion() || 9874 NewFD->getReturnType().hasNonTrivialToPrimitiveCopyCUnion()) 9875 checkNonTrivialCUnion(NewFD->getReturnType(), 9876 NewFD->getReturnTypeSourceRange().getBegin(), 9877 NTCUC_FunctionReturn, NTCUK_Destruct|NTCUK_Copy); 9878 } else { 9879 // C++11 [replacement.functions]p3: 9880 // The program's definitions shall not be specified as inline. 9881 // 9882 // N.B. We diagnose declarations instead of definitions per LWG issue 2340. 9883 // 9884 // Suppress the diagnostic if the function is __attribute__((used)), since 9885 // that forces an external definition to be emitted. 9886 if (D.getDeclSpec().isInlineSpecified() && 9887 NewFD->isReplaceableGlobalAllocationFunction() && 9888 !NewFD->hasAttr<UsedAttr>()) 9889 Diag(D.getDeclSpec().getInlineSpecLoc(), 9890 diag::ext_operator_new_delete_declared_inline) 9891 << NewFD->getDeclName(); 9892 9893 // If the declarator is a template-id, translate the parser's template 9894 // argument list into our AST format. 9895 if (D.getName().getKind() == UnqualifiedIdKind::IK_TemplateId) { 9896 TemplateIdAnnotation *TemplateId = D.getName().TemplateId; 9897 TemplateArgs.setLAngleLoc(TemplateId->LAngleLoc); 9898 TemplateArgs.setRAngleLoc(TemplateId->RAngleLoc); 9899 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(), 9900 TemplateId->NumArgs); 9901 translateTemplateArguments(TemplateArgsPtr, 9902 TemplateArgs); 9903 9904 HasExplicitTemplateArgs = true; 9905 9906 if (NewFD->isInvalidDecl()) { 9907 HasExplicitTemplateArgs = false; 9908 } else if (FunctionTemplate) { 9909 // Function template with explicit template arguments. 9910 Diag(D.getIdentifierLoc(), diag::err_function_template_partial_spec) 9911 << SourceRange(TemplateId->LAngleLoc, TemplateId->RAngleLoc); 9912 9913 HasExplicitTemplateArgs = false; 9914 } else { 9915 assert((isFunctionTemplateSpecialization || 9916 D.getDeclSpec().isFriendSpecified()) && 9917 "should have a 'template<>' for this decl"); 9918 // "friend void foo<>(int);" is an implicit specialization decl. 9919 isFunctionTemplateSpecialization = true; 9920 } 9921 } else if (isFriend && isFunctionTemplateSpecialization) { 9922 // This combination is only possible in a recovery case; the user 9923 // wrote something like: 9924 // template <> friend void foo(int); 9925 // which we're recovering from as if the user had written: 9926 // friend void foo<>(int); 9927 // Go ahead and fake up a template id. 9928 HasExplicitTemplateArgs = true; 9929 TemplateArgs.setLAngleLoc(D.getIdentifierLoc()); 9930 TemplateArgs.setRAngleLoc(D.getIdentifierLoc()); 9931 } 9932 9933 // We do not add HD attributes to specializations here because 9934 // they may have different constexpr-ness compared to their 9935 // templates and, after maybeAddCUDAHostDeviceAttrs() is applied, 9936 // may end up with different effective targets. Instead, a 9937 // specialization inherits its target attributes from its template 9938 // in the CheckFunctionTemplateSpecialization() call below. 9939 if (getLangOpts().CUDA && !isFunctionTemplateSpecialization) 9940 maybeAddCUDAHostDeviceAttrs(NewFD, Previous); 9941 9942 // If it's a friend (and only if it's a friend), it's possible 9943 // that either the specialized function type or the specialized 9944 // template is dependent, and therefore matching will fail. In 9945 // this case, don't check the specialization yet. 9946 if (isFunctionTemplateSpecialization && isFriend && 9947 (NewFD->getType()->isDependentType() || DC->isDependentContext() || 9948 TemplateSpecializationType::anyInstantiationDependentTemplateArguments( 9949 TemplateArgs.arguments()))) { 9950 assert(HasExplicitTemplateArgs && 9951 "friend function specialization without template args"); 9952 if (CheckDependentFunctionTemplateSpecialization(NewFD, TemplateArgs, 9953 Previous)) 9954 NewFD->setInvalidDecl(); 9955 } else if (isFunctionTemplateSpecialization) { 9956 if (CurContext->isDependentContext() && CurContext->isRecord() 9957 && !isFriend) { 9958 isDependentClassScopeExplicitSpecialization = true; 9959 } else if (!NewFD->isInvalidDecl() && 9960 CheckFunctionTemplateSpecialization( 9961 NewFD, (HasExplicitTemplateArgs ? &TemplateArgs : nullptr), 9962 Previous)) 9963 NewFD->setInvalidDecl(); 9964 9965 // C++ [dcl.stc]p1: 9966 // A storage-class-specifier shall not be specified in an explicit 9967 // specialization (14.7.3) 9968 FunctionTemplateSpecializationInfo *Info = 9969 NewFD->getTemplateSpecializationInfo(); 9970 if (Info && SC != SC_None) { 9971 if (SC != Info->getTemplate()->getTemplatedDecl()->getStorageClass()) 9972 Diag(NewFD->getLocation(), 9973 diag::err_explicit_specialization_inconsistent_storage_class) 9974 << SC 9975 << FixItHint::CreateRemoval( 9976 D.getDeclSpec().getStorageClassSpecLoc()); 9977 9978 else 9979 Diag(NewFD->getLocation(), 9980 diag::ext_explicit_specialization_storage_class) 9981 << FixItHint::CreateRemoval( 9982 D.getDeclSpec().getStorageClassSpecLoc()); 9983 } 9984 } else if (isMemberSpecialization && isa<CXXMethodDecl>(NewFD)) { 9985 if (CheckMemberSpecialization(NewFD, Previous)) 9986 NewFD->setInvalidDecl(); 9987 } 9988 9989 // Perform semantic checking on the function declaration. 9990 if (!isDependentClassScopeExplicitSpecialization) { 9991 if (!NewFD->isInvalidDecl() && NewFD->isMain()) 9992 CheckMain(NewFD, D.getDeclSpec()); 9993 9994 if (!NewFD->isInvalidDecl() && NewFD->isMSVCRTEntryPoint()) 9995 CheckMSVCRTEntryPoint(NewFD); 9996 9997 if (!NewFD->isInvalidDecl()) 9998 D.setRedeclaration(CheckFunctionDeclaration(S, NewFD, Previous, 9999 isMemberSpecialization, 10000 D.isFunctionDefinition())); 10001 else if (!Previous.empty()) 10002 // Recover gracefully from an invalid redeclaration. 10003 D.setRedeclaration(true); 10004 } 10005 10006 assert((NewFD->isInvalidDecl() || !D.isRedeclaration() || 10007 Previous.getResultKind() != LookupResult::FoundOverloaded) && 10008 "previous declaration set still overloaded"); 10009 10010 NamedDecl *PrincipalDecl = (FunctionTemplate 10011 ? cast<NamedDecl>(FunctionTemplate) 10012 : NewFD); 10013 10014 if (isFriend && NewFD->getPreviousDecl()) { 10015 AccessSpecifier Access = AS_public; 10016 if (!NewFD->isInvalidDecl()) 10017 Access = NewFD->getPreviousDecl()->getAccess(); 10018 10019 NewFD->setAccess(Access); 10020 if (FunctionTemplate) FunctionTemplate->setAccess(Access); 10021 } 10022 10023 if (NewFD->isOverloadedOperator() && !DC->isRecord() && 10024 PrincipalDecl->isInIdentifierNamespace(Decl::IDNS_Ordinary)) 10025 PrincipalDecl->setNonMemberOperator(); 10026 10027 // If we have a function template, check the template parameter 10028 // list. This will check and merge default template arguments. 10029 if (FunctionTemplate) { 10030 FunctionTemplateDecl *PrevTemplate = 10031 FunctionTemplate->getPreviousDecl(); 10032 CheckTemplateParameterList(FunctionTemplate->getTemplateParameters(), 10033 PrevTemplate ? PrevTemplate->getTemplateParameters() 10034 : nullptr, 10035 D.getDeclSpec().isFriendSpecified() 10036 ? (D.isFunctionDefinition() 10037 ? TPC_FriendFunctionTemplateDefinition 10038 : TPC_FriendFunctionTemplate) 10039 : (D.getCXXScopeSpec().isSet() && 10040 DC && DC->isRecord() && 10041 DC->isDependentContext()) 10042 ? TPC_ClassTemplateMember 10043 : TPC_FunctionTemplate); 10044 } 10045 10046 if (NewFD->isInvalidDecl()) { 10047 // Ignore all the rest of this. 10048 } else if (!D.isRedeclaration()) { 10049 struct ActOnFDArgs ExtraArgs = { S, D, TemplateParamLists, 10050 AddToScope }; 10051 // Fake up an access specifier if it's supposed to be a class member. 10052 if (isa<CXXRecordDecl>(NewFD->getDeclContext())) 10053 NewFD->setAccess(AS_public); 10054 10055 // Qualified decls generally require a previous declaration. 10056 if (D.getCXXScopeSpec().isSet()) { 10057 // ...with the major exception of templated-scope or 10058 // dependent-scope friend declarations. 10059 10060 // TODO: we currently also suppress this check in dependent 10061 // contexts because (1) the parameter depth will be off when 10062 // matching friend templates and (2) we might actually be 10063 // selecting a friend based on a dependent factor. But there 10064 // are situations where these conditions don't apply and we 10065 // can actually do this check immediately. 10066 // 10067 // Unless the scope is dependent, it's always an error if qualified 10068 // redeclaration lookup found nothing at all. Diagnose that now; 10069 // nothing will diagnose that error later. 10070 if (isFriend && 10071 (D.getCXXScopeSpec().getScopeRep()->isDependent() || 10072 (!Previous.empty() && CurContext->isDependentContext()))) { 10073 // ignore these 10074 } else if (NewFD->isCPUDispatchMultiVersion() || 10075 NewFD->isCPUSpecificMultiVersion()) { 10076 // ignore this, we allow the redeclaration behavior here to create new 10077 // versions of the function. 10078 } else { 10079 // The user tried to provide an out-of-line definition for a 10080 // function that is a member of a class or namespace, but there 10081 // was no such member function declared (C++ [class.mfct]p2, 10082 // C++ [namespace.memdef]p2). For example: 10083 // 10084 // class X { 10085 // void f() const; 10086 // }; 10087 // 10088 // void X::f() { } // ill-formed 10089 // 10090 // Complain about this problem, and attempt to suggest close 10091 // matches (e.g., those that differ only in cv-qualifiers and 10092 // whether the parameter types are references). 10093 10094 if (NamedDecl *Result = DiagnoseInvalidRedeclaration( 10095 *this, Previous, NewFD, ExtraArgs, false, nullptr)) { 10096 AddToScope = ExtraArgs.AddToScope; 10097 return Result; 10098 } 10099 } 10100 10101 // Unqualified local friend declarations are required to resolve 10102 // to something. 10103 } else if (isFriend && cast<CXXRecordDecl>(CurContext)->isLocalClass()) { 10104 if (NamedDecl *Result = DiagnoseInvalidRedeclaration( 10105 *this, Previous, NewFD, ExtraArgs, true, S)) { 10106 AddToScope = ExtraArgs.AddToScope; 10107 return Result; 10108 } 10109 } 10110 } else if (!D.isFunctionDefinition() && 10111 isa<CXXMethodDecl>(NewFD) && NewFD->isOutOfLine() && 10112 !isFriend && !isFunctionTemplateSpecialization && 10113 !isMemberSpecialization) { 10114 // An out-of-line member function declaration must also be a 10115 // definition (C++ [class.mfct]p2). 10116 // Note that this is not the case for explicit specializations of 10117 // function templates or member functions of class templates, per 10118 // C++ [temp.expl.spec]p2. We also allow these declarations as an 10119 // extension for compatibility with old SWIG code which likes to 10120 // generate them. 10121 Diag(NewFD->getLocation(), diag::ext_out_of_line_declaration) 10122 << D.getCXXScopeSpec().getRange(); 10123 } 10124 } 10125 10126 // If this is the first declaration of a library builtin function, add 10127 // attributes as appropriate. 10128 if (!D.isRedeclaration()) { 10129 if (IdentifierInfo *II = Previous.getLookupName().getAsIdentifierInfo()) { 10130 if (unsigned BuiltinID = II->getBuiltinID()) { 10131 bool InStdNamespace = Context.BuiltinInfo.isInStdNamespace(BuiltinID); 10132 if (!InStdNamespace && 10133 NewFD->getDeclContext()->getRedeclContext()->isFileContext()) { 10134 if (NewFD->getLanguageLinkage() == CLanguageLinkage) { 10135 // Validate the type matches unless this builtin is specified as 10136 // matching regardless of its declared type. 10137 if (Context.BuiltinInfo.allowTypeMismatch(BuiltinID)) { 10138 NewFD->addAttr(BuiltinAttr::CreateImplicit(Context, BuiltinID)); 10139 } else { 10140 ASTContext::GetBuiltinTypeError Error; 10141 LookupNecessaryTypesForBuiltin(S, BuiltinID); 10142 QualType BuiltinType = Context.GetBuiltinType(BuiltinID, Error); 10143 10144 if (!Error && !BuiltinType.isNull() && 10145 Context.hasSameFunctionTypeIgnoringExceptionSpec( 10146 NewFD->getType(), BuiltinType)) 10147 NewFD->addAttr(BuiltinAttr::CreateImplicit(Context, BuiltinID)); 10148 } 10149 } 10150 } else if (InStdNamespace && NewFD->isInStdNamespace() && 10151 isStdBuiltin(Context, NewFD, BuiltinID)) { 10152 NewFD->addAttr(BuiltinAttr::CreateImplicit(Context, BuiltinID)); 10153 } 10154 } 10155 } 10156 } 10157 10158 ProcessPragmaWeak(S, NewFD); 10159 checkAttributesAfterMerging(*this, *NewFD); 10160 10161 AddKnownFunctionAttributes(NewFD); 10162 10163 if (NewFD->hasAttr<OverloadableAttr>() && 10164 !NewFD->getType()->getAs<FunctionProtoType>()) { 10165 Diag(NewFD->getLocation(), 10166 diag::err_attribute_overloadable_no_prototype) 10167 << NewFD; 10168 10169 // Turn this into a variadic function with no parameters. 10170 const auto *FT = NewFD->getType()->castAs<FunctionType>(); 10171 FunctionProtoType::ExtProtoInfo EPI( 10172 Context.getDefaultCallingConvention(true, false)); 10173 EPI.Variadic = true; 10174 EPI.ExtInfo = FT->getExtInfo(); 10175 10176 QualType R = Context.getFunctionType(FT->getReturnType(), None, EPI); 10177 NewFD->setType(R); 10178 } 10179 10180 // If there's a #pragma GCC visibility in scope, and this isn't a class 10181 // member, set the visibility of this function. 10182 if (!DC->isRecord() && NewFD->isExternallyVisible()) 10183 AddPushedVisibilityAttribute(NewFD); 10184 10185 // If there's a #pragma clang arc_cf_code_audited in scope, consider 10186 // marking the function. 10187 AddCFAuditedAttribute(NewFD); 10188 10189 // If this is a function definition, check if we have to apply any 10190 // attributes (i.e. optnone and no_builtin) due to a pragma. 10191 if (D.isFunctionDefinition()) { 10192 AddRangeBasedOptnone(NewFD); 10193 AddImplicitMSFunctionNoBuiltinAttr(NewFD); 10194 AddSectionMSAllocText(NewFD); 10195 } 10196 10197 // If this is the first declaration of an extern C variable, update 10198 // the map of such variables. 10199 if (NewFD->isFirstDecl() && !NewFD->isInvalidDecl() && 10200 isIncompleteDeclExternC(*this, NewFD)) 10201 RegisterLocallyScopedExternCDecl(NewFD, S); 10202 10203 // Set this FunctionDecl's range up to the right paren. 10204 NewFD->setRangeEnd(D.getSourceRange().getEnd()); 10205 10206 if (D.isRedeclaration() && !Previous.empty()) { 10207 NamedDecl *Prev = Previous.getRepresentativeDecl(); 10208 checkDLLAttributeRedeclaration(*this, Prev, NewFD, 10209 isMemberSpecialization || 10210 isFunctionTemplateSpecialization, 10211 D.isFunctionDefinition()); 10212 } 10213 10214 if (getLangOpts().CUDA) { 10215 IdentifierInfo *II = NewFD->getIdentifier(); 10216 if (II && II->isStr(getCudaConfigureFuncName()) && 10217 !NewFD->isInvalidDecl() && 10218 NewFD->getDeclContext()->getRedeclContext()->isTranslationUnit()) { 10219 if (!R->castAs<FunctionType>()->getReturnType()->isScalarType()) 10220 Diag(NewFD->getLocation(), diag::err_config_scalar_return) 10221 << getCudaConfigureFuncName(); 10222 Context.setcudaConfigureCallDecl(NewFD); 10223 } 10224 10225 // Variadic functions, other than a *declaration* of printf, are not allowed 10226 // in device-side CUDA code, unless someone passed 10227 // -fcuda-allow-variadic-functions. 10228 if (!getLangOpts().CUDAAllowVariadicFunctions && NewFD->isVariadic() && 10229 (NewFD->hasAttr<CUDADeviceAttr>() || 10230 NewFD->hasAttr<CUDAGlobalAttr>()) && 10231 !(II && II->isStr("printf") && NewFD->isExternC() && 10232 !D.isFunctionDefinition())) { 10233 Diag(NewFD->getLocation(), diag::err_variadic_device_fn); 10234 } 10235 } 10236 10237 MarkUnusedFileScopedDecl(NewFD); 10238 10239 10240 10241 if (getLangOpts().OpenCL && NewFD->hasAttr<OpenCLKernelAttr>()) { 10242 // OpenCL v1.2 s6.8 static is invalid for kernel functions. 10243 if (SC == SC_Static) { 10244 Diag(D.getIdentifierLoc(), diag::err_static_kernel); 10245 D.setInvalidType(); 10246 } 10247 10248 // OpenCL v1.2, s6.9 -- Kernels can only have return type void. 10249 if (!NewFD->getReturnType()->isVoidType()) { 10250 SourceRange RTRange = NewFD->getReturnTypeSourceRange(); 10251 Diag(D.getIdentifierLoc(), diag::err_expected_kernel_void_return_type) 10252 << (RTRange.isValid() ? FixItHint::CreateReplacement(RTRange, "void") 10253 : FixItHint()); 10254 D.setInvalidType(); 10255 } 10256 10257 llvm::SmallPtrSet<const Type *, 16> ValidTypes; 10258 for (auto Param : NewFD->parameters()) 10259 checkIsValidOpenCLKernelParameter(*this, D, Param, ValidTypes); 10260 10261 if (getLangOpts().OpenCLCPlusPlus) { 10262 if (DC->isRecord()) { 10263 Diag(D.getIdentifierLoc(), diag::err_method_kernel); 10264 D.setInvalidType(); 10265 } 10266 if (FunctionTemplate) { 10267 Diag(D.getIdentifierLoc(), diag::err_template_kernel); 10268 D.setInvalidType(); 10269 } 10270 } 10271 } 10272 10273 if (getLangOpts().CPlusPlus) { 10274 if (FunctionTemplate) { 10275 if (NewFD->isInvalidDecl()) 10276 FunctionTemplate->setInvalidDecl(); 10277 return FunctionTemplate; 10278 } 10279 10280 if (isMemberSpecialization && !NewFD->isInvalidDecl()) 10281 CompleteMemberSpecialization(NewFD, Previous); 10282 } 10283 10284 for (const ParmVarDecl *Param : NewFD->parameters()) { 10285 QualType PT = Param->getType(); 10286 10287 // OpenCL 2.0 pipe restrictions forbids pipe packet types to be non-value 10288 // types. 10289 if (getLangOpts().getOpenCLCompatibleVersion() >= 200) { 10290 if(const PipeType *PipeTy = PT->getAs<PipeType>()) { 10291 QualType ElemTy = PipeTy->getElementType(); 10292 if (ElemTy->isReferenceType() || ElemTy->isPointerType()) { 10293 Diag(Param->getTypeSpecStartLoc(), diag::err_reference_pipe_type ); 10294 D.setInvalidType(); 10295 } 10296 } 10297 } 10298 } 10299 10300 // Here we have an function template explicit specialization at class scope. 10301 // The actual specialization will be postponed to template instatiation 10302 // time via the ClassScopeFunctionSpecializationDecl node. 10303 if (isDependentClassScopeExplicitSpecialization) { 10304 ClassScopeFunctionSpecializationDecl *NewSpec = 10305 ClassScopeFunctionSpecializationDecl::Create( 10306 Context, CurContext, NewFD->getLocation(), 10307 cast<CXXMethodDecl>(NewFD), 10308 HasExplicitTemplateArgs, TemplateArgs); 10309 CurContext->addDecl(NewSpec); 10310 AddToScope = false; 10311 } 10312 10313 // Diagnose availability attributes. Availability cannot be used on functions 10314 // that are run during load/unload. 10315 if (const auto *attr = NewFD->getAttr<AvailabilityAttr>()) { 10316 if (NewFD->hasAttr<ConstructorAttr>()) { 10317 Diag(attr->getLocation(), diag::warn_availability_on_static_initializer) 10318 << 1; 10319 NewFD->dropAttr<AvailabilityAttr>(); 10320 } 10321 if (NewFD->hasAttr<DestructorAttr>()) { 10322 Diag(attr->getLocation(), diag::warn_availability_on_static_initializer) 10323 << 2; 10324 NewFD->dropAttr<AvailabilityAttr>(); 10325 } 10326 } 10327 10328 // Diagnose no_builtin attribute on function declaration that are not a 10329 // definition. 10330 // FIXME: We should really be doing this in 10331 // SemaDeclAttr.cpp::handleNoBuiltinAttr, unfortunately we only have access to 10332 // the FunctionDecl and at this point of the code 10333 // FunctionDecl::isThisDeclarationADefinition() which always returns `false` 10334 // because Sema::ActOnStartOfFunctionDef has not been called yet. 10335 if (const auto *NBA = NewFD->getAttr<NoBuiltinAttr>()) 10336 switch (D.getFunctionDefinitionKind()) { 10337 case FunctionDefinitionKind::Defaulted: 10338 case FunctionDefinitionKind::Deleted: 10339 Diag(NBA->getLocation(), 10340 diag::err_attribute_no_builtin_on_defaulted_deleted_function) 10341 << NBA->getSpelling(); 10342 break; 10343 case FunctionDefinitionKind::Declaration: 10344 Diag(NBA->getLocation(), diag::err_attribute_no_builtin_on_non_definition) 10345 << NBA->getSpelling(); 10346 break; 10347 case FunctionDefinitionKind::Definition: 10348 break; 10349 } 10350 10351 return NewFD; 10352 } 10353 10354 /// Return a CodeSegAttr from a containing class. The Microsoft docs say 10355 /// when __declspec(code_seg) "is applied to a class, all member functions of 10356 /// the class and nested classes -- this includes compiler-generated special 10357 /// member functions -- are put in the specified segment." 10358 /// The actual behavior is a little more complicated. The Microsoft compiler 10359 /// won't check outer classes if there is an active value from #pragma code_seg. 10360 /// The CodeSeg is always applied from the direct parent but only from outer 10361 /// classes when the #pragma code_seg stack is empty. See: 10362 /// https://reviews.llvm.org/D22931, the Microsoft feedback page is no longer 10363 /// available since MS has removed the page. 10364 static Attr *getImplicitCodeSegAttrFromClass(Sema &S, const FunctionDecl *FD) { 10365 const auto *Method = dyn_cast<CXXMethodDecl>(FD); 10366 if (!Method) 10367 return nullptr; 10368 const CXXRecordDecl *Parent = Method->getParent(); 10369 if (const auto *SAttr = Parent->getAttr<CodeSegAttr>()) { 10370 Attr *NewAttr = SAttr->clone(S.getASTContext()); 10371 NewAttr->setImplicit(true); 10372 return NewAttr; 10373 } 10374 10375 // The Microsoft compiler won't check outer classes for the CodeSeg 10376 // when the #pragma code_seg stack is active. 10377 if (S.CodeSegStack.CurrentValue) 10378 return nullptr; 10379 10380 while ((Parent = dyn_cast<CXXRecordDecl>(Parent->getParent()))) { 10381 if (const auto *SAttr = Parent->getAttr<CodeSegAttr>()) { 10382 Attr *NewAttr = SAttr->clone(S.getASTContext()); 10383 NewAttr->setImplicit(true); 10384 return NewAttr; 10385 } 10386 } 10387 return nullptr; 10388 } 10389 10390 /// Returns an implicit CodeSegAttr if a __declspec(code_seg) is found on a 10391 /// containing class. Otherwise it will return implicit SectionAttr if the 10392 /// function is a definition and there is an active value on CodeSegStack 10393 /// (from the current #pragma code-seg value). 10394 /// 10395 /// \param FD Function being declared. 10396 /// \param IsDefinition Whether it is a definition or just a declarartion. 10397 /// \returns A CodeSegAttr or SectionAttr to apply to the function or 10398 /// nullptr if no attribute should be added. 10399 Attr *Sema::getImplicitCodeSegOrSectionAttrForFunction(const FunctionDecl *FD, 10400 bool IsDefinition) { 10401 if (Attr *A = getImplicitCodeSegAttrFromClass(*this, FD)) 10402 return A; 10403 if (!FD->hasAttr<SectionAttr>() && IsDefinition && 10404 CodeSegStack.CurrentValue) 10405 return SectionAttr::CreateImplicit( 10406 getASTContext(), CodeSegStack.CurrentValue->getString(), 10407 CodeSegStack.CurrentPragmaLocation, AttributeCommonInfo::AS_Pragma, 10408 SectionAttr::Declspec_allocate); 10409 return nullptr; 10410 } 10411 10412 /// Determines if we can perform a correct type check for \p D as a 10413 /// redeclaration of \p PrevDecl. If not, we can generally still perform a 10414 /// best-effort check. 10415 /// 10416 /// \param NewD The new declaration. 10417 /// \param OldD The old declaration. 10418 /// \param NewT The portion of the type of the new declaration to check. 10419 /// \param OldT The portion of the type of the old declaration to check. 10420 bool Sema::canFullyTypeCheckRedeclaration(ValueDecl *NewD, ValueDecl *OldD, 10421 QualType NewT, QualType OldT) { 10422 if (!NewD->getLexicalDeclContext()->isDependentContext()) 10423 return true; 10424 10425 // For dependently-typed local extern declarations and friends, we can't 10426 // perform a correct type check in general until instantiation: 10427 // 10428 // int f(); 10429 // template<typename T> void g() { T f(); } 10430 // 10431 // (valid if g() is only instantiated with T = int). 10432 if (NewT->isDependentType() && 10433 (NewD->isLocalExternDecl() || NewD->getFriendObjectKind())) 10434 return false; 10435 10436 // Similarly, if the previous declaration was a dependent local extern 10437 // declaration, we don't really know its type yet. 10438 if (OldT->isDependentType() && OldD->isLocalExternDecl()) 10439 return false; 10440 10441 return true; 10442 } 10443 10444 /// Checks if the new declaration declared in dependent context must be 10445 /// put in the same redeclaration chain as the specified declaration. 10446 /// 10447 /// \param D Declaration that is checked. 10448 /// \param PrevDecl Previous declaration found with proper lookup method for the 10449 /// same declaration name. 10450 /// \returns True if D must be added to the redeclaration chain which PrevDecl 10451 /// belongs to. 10452 /// 10453 bool Sema::shouldLinkDependentDeclWithPrevious(Decl *D, Decl *PrevDecl) { 10454 if (!D->getLexicalDeclContext()->isDependentContext()) 10455 return true; 10456 10457 // Don't chain dependent friend function definitions until instantiation, to 10458 // permit cases like 10459 // 10460 // void func(); 10461 // template<typename T> class C1 { friend void func() {} }; 10462 // template<typename T> class C2 { friend void func() {} }; 10463 // 10464 // ... which is valid if only one of C1 and C2 is ever instantiated. 10465 // 10466 // FIXME: This need only apply to function definitions. For now, we proxy 10467 // this by checking for a file-scope function. We do not want this to apply 10468 // to friend declarations nominating member functions, because that gets in 10469 // the way of access checks. 10470 if (D->getFriendObjectKind() && D->getDeclContext()->isFileContext()) 10471 return false; 10472 10473 auto *VD = dyn_cast<ValueDecl>(D); 10474 auto *PrevVD = dyn_cast<ValueDecl>(PrevDecl); 10475 return !VD || !PrevVD || 10476 canFullyTypeCheckRedeclaration(VD, PrevVD, VD->getType(), 10477 PrevVD->getType()); 10478 } 10479 10480 /// Check the target attribute of the function for MultiVersion 10481 /// validity. 10482 /// 10483 /// Returns true if there was an error, false otherwise. 10484 static bool CheckMultiVersionValue(Sema &S, const FunctionDecl *FD) { 10485 const auto *TA = FD->getAttr<TargetAttr>(); 10486 assert(TA && "MultiVersion Candidate requires a target attribute"); 10487 ParsedTargetAttr ParseInfo = TA->parse(); 10488 const TargetInfo &TargetInfo = S.Context.getTargetInfo(); 10489 enum ErrType { Feature = 0, Architecture = 1 }; 10490 10491 if (!ParseInfo.Architecture.empty() && 10492 !TargetInfo.validateCpuIs(ParseInfo.Architecture)) { 10493 S.Diag(FD->getLocation(), diag::err_bad_multiversion_option) 10494 << Architecture << ParseInfo.Architecture; 10495 return true; 10496 } 10497 10498 for (const auto &Feat : ParseInfo.Features) { 10499 auto BareFeat = StringRef{Feat}.substr(1); 10500 if (Feat[0] == '-') { 10501 S.Diag(FD->getLocation(), diag::err_bad_multiversion_option) 10502 << Feature << ("no-" + BareFeat).str(); 10503 return true; 10504 } 10505 10506 if (!TargetInfo.validateCpuSupports(BareFeat) || 10507 !TargetInfo.isValidFeatureName(BareFeat)) { 10508 S.Diag(FD->getLocation(), diag::err_bad_multiversion_option) 10509 << Feature << BareFeat; 10510 return true; 10511 } 10512 } 10513 return false; 10514 } 10515 10516 // Provide a white-list of attributes that are allowed to be combined with 10517 // multiversion functions. 10518 static bool AttrCompatibleWithMultiVersion(attr::Kind Kind, 10519 MultiVersionKind MVKind) { 10520 // Note: this list/diagnosis must match the list in 10521 // checkMultiversionAttributesAllSame. 10522 switch (Kind) { 10523 default: 10524 return false; 10525 case attr::Used: 10526 return MVKind == MultiVersionKind::Target; 10527 case attr::NonNull: 10528 case attr::NoThrow: 10529 return true; 10530 } 10531 } 10532 10533 static bool checkNonMultiVersionCompatAttributes(Sema &S, 10534 const FunctionDecl *FD, 10535 const FunctionDecl *CausedFD, 10536 MultiVersionKind MVKind) { 10537 const auto Diagnose = [FD, CausedFD, MVKind](Sema &S, const Attr *A) { 10538 S.Diag(FD->getLocation(), diag::err_multiversion_disallowed_other_attr) 10539 << static_cast<unsigned>(MVKind) << A; 10540 if (CausedFD) 10541 S.Diag(CausedFD->getLocation(), diag::note_multiversioning_caused_here); 10542 return true; 10543 }; 10544 10545 for (const Attr *A : FD->attrs()) { 10546 switch (A->getKind()) { 10547 case attr::CPUDispatch: 10548 case attr::CPUSpecific: 10549 if (MVKind != MultiVersionKind::CPUDispatch && 10550 MVKind != MultiVersionKind::CPUSpecific) 10551 return Diagnose(S, A); 10552 break; 10553 case attr::Target: 10554 if (MVKind != MultiVersionKind::Target) 10555 return Diagnose(S, A); 10556 break; 10557 case attr::TargetClones: 10558 if (MVKind != MultiVersionKind::TargetClones) 10559 return Diagnose(S, A); 10560 break; 10561 default: 10562 if (!AttrCompatibleWithMultiVersion(A->getKind(), MVKind)) 10563 return Diagnose(S, A); 10564 break; 10565 } 10566 } 10567 return false; 10568 } 10569 10570 bool Sema::areMultiversionVariantFunctionsCompatible( 10571 const FunctionDecl *OldFD, const FunctionDecl *NewFD, 10572 const PartialDiagnostic &NoProtoDiagID, 10573 const PartialDiagnosticAt &NoteCausedDiagIDAt, 10574 const PartialDiagnosticAt &NoSupportDiagIDAt, 10575 const PartialDiagnosticAt &DiffDiagIDAt, bool TemplatesSupported, 10576 bool ConstexprSupported, bool CLinkageMayDiffer) { 10577 enum DoesntSupport { 10578 FuncTemplates = 0, 10579 VirtFuncs = 1, 10580 DeducedReturn = 2, 10581 Constructors = 3, 10582 Destructors = 4, 10583 DeletedFuncs = 5, 10584 DefaultedFuncs = 6, 10585 ConstexprFuncs = 7, 10586 ConstevalFuncs = 8, 10587 Lambda = 9, 10588 }; 10589 enum Different { 10590 CallingConv = 0, 10591 ReturnType = 1, 10592 ConstexprSpec = 2, 10593 InlineSpec = 3, 10594 Linkage = 4, 10595 LanguageLinkage = 5, 10596 }; 10597 10598 if (NoProtoDiagID.getDiagID() != 0 && OldFD && 10599 !OldFD->getType()->getAs<FunctionProtoType>()) { 10600 Diag(OldFD->getLocation(), NoProtoDiagID); 10601 Diag(NoteCausedDiagIDAt.first, NoteCausedDiagIDAt.second); 10602 return true; 10603 } 10604 10605 if (NoProtoDiagID.getDiagID() != 0 && 10606 !NewFD->getType()->getAs<FunctionProtoType>()) 10607 return Diag(NewFD->getLocation(), NoProtoDiagID); 10608 10609 if (!TemplatesSupported && 10610 NewFD->getTemplatedKind() == FunctionDecl::TK_FunctionTemplate) 10611 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10612 << FuncTemplates; 10613 10614 if (const auto *NewCXXFD = dyn_cast<CXXMethodDecl>(NewFD)) { 10615 if (NewCXXFD->isVirtual()) 10616 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10617 << VirtFuncs; 10618 10619 if (isa<CXXConstructorDecl>(NewCXXFD)) 10620 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10621 << Constructors; 10622 10623 if (isa<CXXDestructorDecl>(NewCXXFD)) 10624 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10625 << Destructors; 10626 } 10627 10628 if (NewFD->isDeleted()) 10629 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10630 << DeletedFuncs; 10631 10632 if (NewFD->isDefaulted()) 10633 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10634 << DefaultedFuncs; 10635 10636 if (!ConstexprSupported && NewFD->isConstexpr()) 10637 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10638 << (NewFD->isConsteval() ? ConstevalFuncs : ConstexprFuncs); 10639 10640 QualType NewQType = Context.getCanonicalType(NewFD->getType()); 10641 const auto *NewType = cast<FunctionType>(NewQType); 10642 QualType NewReturnType = NewType->getReturnType(); 10643 10644 if (NewReturnType->isUndeducedType()) 10645 return Diag(NoSupportDiagIDAt.first, NoSupportDiagIDAt.second) 10646 << DeducedReturn; 10647 10648 // Ensure the return type is identical. 10649 if (OldFD) { 10650 QualType OldQType = Context.getCanonicalType(OldFD->getType()); 10651 const auto *OldType = cast<FunctionType>(OldQType); 10652 FunctionType::ExtInfo OldTypeInfo = OldType->getExtInfo(); 10653 FunctionType::ExtInfo NewTypeInfo = NewType->getExtInfo(); 10654 10655 if (OldTypeInfo.getCC() != NewTypeInfo.getCC()) 10656 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << CallingConv; 10657 10658 QualType OldReturnType = OldType->getReturnType(); 10659 10660 if (OldReturnType != NewReturnType) 10661 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << ReturnType; 10662 10663 if (OldFD->getConstexprKind() != NewFD->getConstexprKind()) 10664 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << ConstexprSpec; 10665 10666 if (OldFD->isInlineSpecified() != NewFD->isInlineSpecified()) 10667 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << InlineSpec; 10668 10669 if (OldFD->getFormalLinkage() != NewFD->getFormalLinkage()) 10670 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << Linkage; 10671 10672 if (!CLinkageMayDiffer && OldFD->isExternC() != NewFD->isExternC()) 10673 return Diag(DiffDiagIDAt.first, DiffDiagIDAt.second) << LanguageLinkage; 10674 10675 if (CheckEquivalentExceptionSpec( 10676 OldFD->getType()->getAs<FunctionProtoType>(), OldFD->getLocation(), 10677 NewFD->getType()->getAs<FunctionProtoType>(), NewFD->getLocation())) 10678 return true; 10679 } 10680 return false; 10681 } 10682 10683 static bool CheckMultiVersionAdditionalRules(Sema &S, const FunctionDecl *OldFD, 10684 const FunctionDecl *NewFD, 10685 bool CausesMV, 10686 MultiVersionKind MVKind) { 10687 if (!S.getASTContext().getTargetInfo().supportsMultiVersioning()) { 10688 S.Diag(NewFD->getLocation(), diag::err_multiversion_not_supported); 10689 if (OldFD) 10690 S.Diag(OldFD->getLocation(), diag::note_previous_declaration); 10691 return true; 10692 } 10693 10694 bool IsCPUSpecificCPUDispatchMVKind = 10695 MVKind == MultiVersionKind::CPUDispatch || 10696 MVKind == MultiVersionKind::CPUSpecific; 10697 10698 if (CausesMV && OldFD && 10699 checkNonMultiVersionCompatAttributes(S, OldFD, NewFD, MVKind)) 10700 return true; 10701 10702 if (checkNonMultiVersionCompatAttributes(S, NewFD, nullptr, MVKind)) 10703 return true; 10704 10705 // Only allow transition to MultiVersion if it hasn't been used. 10706 if (OldFD && CausesMV && OldFD->isUsed(false)) 10707 return S.Diag(NewFD->getLocation(), diag::err_multiversion_after_used); 10708 10709 return S.areMultiversionVariantFunctionsCompatible( 10710 OldFD, NewFD, S.PDiag(diag::err_multiversion_noproto), 10711 PartialDiagnosticAt(NewFD->getLocation(), 10712 S.PDiag(diag::note_multiversioning_caused_here)), 10713 PartialDiagnosticAt(NewFD->getLocation(), 10714 S.PDiag(diag::err_multiversion_doesnt_support) 10715 << static_cast<unsigned>(MVKind)), 10716 PartialDiagnosticAt(NewFD->getLocation(), 10717 S.PDiag(diag::err_multiversion_diff)), 10718 /*TemplatesSupported=*/false, 10719 /*ConstexprSupported=*/!IsCPUSpecificCPUDispatchMVKind, 10720 /*CLinkageMayDiffer=*/false); 10721 } 10722 10723 /// Check the validity of a multiversion function declaration that is the 10724 /// first of its kind. Also sets the multiversion'ness' of the function itself. 10725 /// 10726 /// This sets NewFD->isInvalidDecl() to true if there was an error. 10727 /// 10728 /// Returns true if there was an error, false otherwise. 10729 static bool CheckMultiVersionFirstFunction(Sema &S, FunctionDecl *FD, 10730 MultiVersionKind MVKind, 10731 const TargetAttr *TA) { 10732 assert(MVKind != MultiVersionKind::None && 10733 "Function lacks multiversion attribute"); 10734 10735 // Target only causes MV if it is default, otherwise this is a normal 10736 // function. 10737 if (MVKind == MultiVersionKind::Target && !TA->isDefaultVersion()) 10738 return false; 10739 10740 if (MVKind == MultiVersionKind::Target && CheckMultiVersionValue(S, FD)) { 10741 FD->setInvalidDecl(); 10742 return true; 10743 } 10744 10745 if (CheckMultiVersionAdditionalRules(S, nullptr, FD, true, MVKind)) { 10746 FD->setInvalidDecl(); 10747 return true; 10748 } 10749 10750 FD->setIsMultiVersion(); 10751 return false; 10752 } 10753 10754 static bool PreviousDeclsHaveMultiVersionAttribute(const FunctionDecl *FD) { 10755 for (const Decl *D = FD->getPreviousDecl(); D; D = D->getPreviousDecl()) { 10756 if (D->getAsFunction()->getMultiVersionKind() != MultiVersionKind::None) 10757 return true; 10758 } 10759 10760 return false; 10761 } 10762 10763 static bool CheckTargetCausesMultiVersioning( 10764 Sema &S, FunctionDecl *OldFD, FunctionDecl *NewFD, const TargetAttr *NewTA, 10765 bool &Redeclaration, NamedDecl *&OldDecl, LookupResult &Previous) { 10766 const auto *OldTA = OldFD->getAttr<TargetAttr>(); 10767 ParsedTargetAttr NewParsed = NewTA->parse(); 10768 // Sort order doesn't matter, it just needs to be consistent. 10769 llvm::sort(NewParsed.Features); 10770 10771 // If the old decl is NOT MultiVersioned yet, and we don't cause that 10772 // to change, this is a simple redeclaration. 10773 if (!NewTA->isDefaultVersion() && 10774 (!OldTA || OldTA->getFeaturesStr() == NewTA->getFeaturesStr())) 10775 return false; 10776 10777 // Otherwise, this decl causes MultiVersioning. 10778 if (CheckMultiVersionAdditionalRules(S, OldFD, NewFD, true, 10779 MultiVersionKind::Target)) { 10780 NewFD->setInvalidDecl(); 10781 return true; 10782 } 10783 10784 if (CheckMultiVersionValue(S, NewFD)) { 10785 NewFD->setInvalidDecl(); 10786 return true; 10787 } 10788 10789 // If this is 'default', permit the forward declaration. 10790 if (!OldFD->isMultiVersion() && !OldTA && NewTA->isDefaultVersion()) { 10791 Redeclaration = true; 10792 OldDecl = OldFD; 10793 OldFD->setIsMultiVersion(); 10794 NewFD->setIsMultiVersion(); 10795 return false; 10796 } 10797 10798 if (CheckMultiVersionValue(S, OldFD)) { 10799 S.Diag(NewFD->getLocation(), diag::note_multiversioning_caused_here); 10800 NewFD->setInvalidDecl(); 10801 return true; 10802 } 10803 10804 ParsedTargetAttr OldParsed = OldTA->parse(std::less<std::string>()); 10805 10806 if (OldParsed == NewParsed) { 10807 S.Diag(NewFD->getLocation(), diag::err_multiversion_duplicate); 10808 S.Diag(OldFD->getLocation(), diag::note_previous_declaration); 10809 NewFD->setInvalidDecl(); 10810 return true; 10811 } 10812 10813 for (const auto *FD : OldFD->redecls()) { 10814 const auto *CurTA = FD->getAttr<TargetAttr>(); 10815 // We allow forward declarations before ANY multiversioning attributes, but 10816 // nothing after the fact. 10817 if (PreviousDeclsHaveMultiVersionAttribute(FD) && 10818 (!CurTA || CurTA->isInherited())) { 10819 S.Diag(FD->getLocation(), diag::err_multiversion_required_in_redecl) 10820 << 0; 10821 S.Diag(NewFD->getLocation(), diag::note_multiversioning_caused_here); 10822 NewFD->setInvalidDecl(); 10823 return true; 10824 } 10825 } 10826 10827 OldFD->setIsMultiVersion(); 10828 NewFD->setIsMultiVersion(); 10829 Redeclaration = false; 10830 OldDecl = nullptr; 10831 Previous.clear(); 10832 return false; 10833 } 10834 10835 static bool MultiVersionTypesCompatible(MultiVersionKind Old, 10836 MultiVersionKind New) { 10837 if (Old == New || Old == MultiVersionKind::None || 10838 New == MultiVersionKind::None) 10839 return true; 10840 10841 return (Old == MultiVersionKind::CPUDispatch && 10842 New == MultiVersionKind::CPUSpecific) || 10843 (Old == MultiVersionKind::CPUSpecific && 10844 New == MultiVersionKind::CPUDispatch); 10845 } 10846 10847 /// Check the validity of a new function declaration being added to an existing 10848 /// multiversioned declaration collection. 10849 static bool CheckMultiVersionAdditionalDecl( 10850 Sema &S, FunctionDecl *OldFD, FunctionDecl *NewFD, 10851 MultiVersionKind NewMVKind, const TargetAttr *NewTA, 10852 const CPUDispatchAttr *NewCPUDisp, const CPUSpecificAttr *NewCPUSpec, 10853 const TargetClonesAttr *NewClones, bool &Redeclaration, NamedDecl *&OldDecl, 10854 LookupResult &Previous) { 10855 10856 MultiVersionKind OldMVKind = OldFD->getMultiVersionKind(); 10857 // Disallow mixing of multiversioning types. 10858 if (!MultiVersionTypesCompatible(OldMVKind, NewMVKind)) { 10859 S.Diag(NewFD->getLocation(), diag::err_multiversion_types_mixed); 10860 S.Diag(OldFD->getLocation(), diag::note_previous_declaration); 10861 NewFD->setInvalidDecl(); 10862 return true; 10863 } 10864 10865 ParsedTargetAttr NewParsed; 10866 if (NewTA) { 10867 NewParsed = NewTA->parse(); 10868 llvm::sort(NewParsed.Features); 10869 } 10870 10871 bool UseMemberUsingDeclRules = 10872 S.CurContext->isRecord() && !NewFD->getFriendObjectKind(); 10873 10874 bool MayNeedOverloadableChecks = 10875 AllowOverloadingOfFunction(Previous, S.Context, NewFD); 10876 10877 // Next, check ALL non-overloads to see if this is a redeclaration of a 10878 // previous member of the MultiVersion set. 10879 for (NamedDecl *ND : Previous) { 10880 FunctionDecl *CurFD = ND->getAsFunction(); 10881 if (!CurFD) 10882 continue; 10883 if (MayNeedOverloadableChecks && 10884 S.IsOverload(NewFD, CurFD, UseMemberUsingDeclRules)) 10885 continue; 10886 10887 switch (NewMVKind) { 10888 case MultiVersionKind::None: 10889 assert(OldMVKind == MultiVersionKind::TargetClones && 10890 "Only target_clones can be omitted in subsequent declarations"); 10891 break; 10892 case MultiVersionKind::Target: { 10893 const auto *CurTA = CurFD->getAttr<TargetAttr>(); 10894 if (CurTA->getFeaturesStr() == NewTA->getFeaturesStr()) { 10895 NewFD->setIsMultiVersion(); 10896 Redeclaration = true; 10897 OldDecl = ND; 10898 return false; 10899 } 10900 10901 ParsedTargetAttr CurParsed = CurTA->parse(std::less<std::string>()); 10902 if (CurParsed == NewParsed) { 10903 S.Diag(NewFD->getLocation(), diag::err_multiversion_duplicate); 10904 S.Diag(CurFD->getLocation(), diag::note_previous_declaration); 10905 NewFD->setInvalidDecl(); 10906 return true; 10907 } 10908 break; 10909 } 10910 case MultiVersionKind::TargetClones: { 10911 const auto *CurClones = CurFD->getAttr<TargetClonesAttr>(); 10912 Redeclaration = true; 10913 OldDecl = CurFD; 10914 NewFD->setIsMultiVersion(); 10915 10916 if (CurClones && NewClones && 10917 (CurClones->featuresStrs_size() != NewClones->featuresStrs_size() || 10918 !std::equal(CurClones->featuresStrs_begin(), 10919 CurClones->featuresStrs_end(), 10920 NewClones->featuresStrs_begin()))) { 10921 S.Diag(NewFD->getLocation(), diag::err_target_clone_doesnt_match); 10922 S.Diag(CurFD->getLocation(), diag::note_previous_declaration); 10923 NewFD->setInvalidDecl(); 10924 return true; 10925 } 10926 10927 return false; 10928 } 10929 case MultiVersionKind::CPUSpecific: 10930 case MultiVersionKind::CPUDispatch: { 10931 const auto *CurCPUSpec = CurFD->getAttr<CPUSpecificAttr>(); 10932 const auto *CurCPUDisp = CurFD->getAttr<CPUDispatchAttr>(); 10933 // Handle CPUDispatch/CPUSpecific versions. 10934 // Only 1 CPUDispatch function is allowed, this will make it go through 10935 // the redeclaration errors. 10936 if (NewMVKind == MultiVersionKind::CPUDispatch && 10937 CurFD->hasAttr<CPUDispatchAttr>()) { 10938 if (CurCPUDisp->cpus_size() == NewCPUDisp->cpus_size() && 10939 std::equal( 10940 CurCPUDisp->cpus_begin(), CurCPUDisp->cpus_end(), 10941 NewCPUDisp->cpus_begin(), 10942 [](const IdentifierInfo *Cur, const IdentifierInfo *New) { 10943 return Cur->getName() == New->getName(); 10944 })) { 10945 NewFD->setIsMultiVersion(); 10946 Redeclaration = true; 10947 OldDecl = ND; 10948 return false; 10949 } 10950 10951 // If the declarations don't match, this is an error condition. 10952 S.Diag(NewFD->getLocation(), diag::err_cpu_dispatch_mismatch); 10953 S.Diag(CurFD->getLocation(), diag::note_previous_declaration); 10954 NewFD->setInvalidDecl(); 10955 return true; 10956 } 10957 if (NewMVKind == MultiVersionKind::CPUSpecific && CurCPUSpec) { 10958 if (CurCPUSpec->cpus_size() == NewCPUSpec->cpus_size() && 10959 std::equal( 10960 CurCPUSpec->cpus_begin(), CurCPUSpec->cpus_end(), 10961 NewCPUSpec->cpus_begin(), 10962 [](const IdentifierInfo *Cur, const IdentifierInfo *New) { 10963 return Cur->getName() == New->getName(); 10964 })) { 10965 NewFD->setIsMultiVersion(); 10966 Redeclaration = true; 10967 OldDecl = ND; 10968 return false; 10969 } 10970 10971 // Only 1 version of CPUSpecific is allowed for each CPU. 10972 for (const IdentifierInfo *CurII : CurCPUSpec->cpus()) { 10973 for (const IdentifierInfo *NewII : NewCPUSpec->cpus()) { 10974 if (CurII == NewII) { 10975 S.Diag(NewFD->getLocation(), diag::err_cpu_specific_multiple_defs) 10976 << NewII; 10977 S.Diag(CurFD->getLocation(), diag::note_previous_declaration); 10978 NewFD->setInvalidDecl(); 10979 return true; 10980 } 10981 } 10982 } 10983 } 10984 break; 10985 } 10986 } 10987 } 10988 10989 // Else, this is simply a non-redecl case. Checking the 'value' is only 10990 // necessary in the Target case, since The CPUSpecific/Dispatch cases are 10991 // handled in the attribute adding step. 10992 if (NewMVKind == MultiVersionKind::Target && 10993 CheckMultiVersionValue(S, NewFD)) { 10994 NewFD->setInvalidDecl(); 10995 return true; 10996 } 10997 10998 if (CheckMultiVersionAdditionalRules(S, OldFD, NewFD, 10999 !OldFD->isMultiVersion(), NewMVKind)) { 11000 NewFD->setInvalidDecl(); 11001 return true; 11002 } 11003 11004 // Permit forward declarations in the case where these two are compatible. 11005 if (!OldFD->isMultiVersion()) { 11006 OldFD->setIsMultiVersion(); 11007 NewFD->setIsMultiVersion(); 11008 Redeclaration = true; 11009 OldDecl = OldFD; 11010 return false; 11011 } 11012 11013 NewFD->setIsMultiVersion(); 11014 Redeclaration = false; 11015 OldDecl = nullptr; 11016 Previous.clear(); 11017 return false; 11018 } 11019 11020 /// Check the validity of a mulitversion function declaration. 11021 /// Also sets the multiversion'ness' of the function itself. 11022 /// 11023 /// This sets NewFD->isInvalidDecl() to true if there was an error. 11024 /// 11025 /// Returns true if there was an error, false otherwise. 11026 static bool CheckMultiVersionFunction(Sema &S, FunctionDecl *NewFD, 11027 bool &Redeclaration, NamedDecl *&OldDecl, 11028 LookupResult &Previous) { 11029 const auto *NewTA = NewFD->getAttr<TargetAttr>(); 11030 const auto *NewCPUDisp = NewFD->getAttr<CPUDispatchAttr>(); 11031 const auto *NewCPUSpec = NewFD->getAttr<CPUSpecificAttr>(); 11032 const auto *NewClones = NewFD->getAttr<TargetClonesAttr>(); 11033 MultiVersionKind MVKind = NewFD->getMultiVersionKind(); 11034 11035 // Main isn't allowed to become a multiversion function, however it IS 11036 // permitted to have 'main' be marked with the 'target' optimization hint. 11037 if (NewFD->isMain()) { 11038 if (MVKind != MultiVersionKind::None && 11039 !(MVKind == MultiVersionKind::Target && !NewTA->isDefaultVersion())) { 11040 S.Diag(NewFD->getLocation(), diag::err_multiversion_not_allowed_on_main); 11041 NewFD->setInvalidDecl(); 11042 return true; 11043 } 11044 return false; 11045 } 11046 11047 if (!OldDecl || !OldDecl->getAsFunction() || 11048 OldDecl->getDeclContext()->getRedeclContext() != 11049 NewFD->getDeclContext()->getRedeclContext()) { 11050 // If there's no previous declaration, AND this isn't attempting to cause 11051 // multiversioning, this isn't an error condition. 11052 if (MVKind == MultiVersionKind::None) 11053 return false; 11054 return CheckMultiVersionFirstFunction(S, NewFD, MVKind, NewTA); 11055 } 11056 11057 FunctionDecl *OldFD = OldDecl->getAsFunction(); 11058 11059 if (!OldFD->isMultiVersion() && MVKind == MultiVersionKind::None) 11060 return false; 11061 11062 // Multiversioned redeclarations aren't allowed to omit the attribute, except 11063 // for target_clones. 11064 if (OldFD->isMultiVersion() && MVKind == MultiVersionKind::None && 11065 OldFD->getMultiVersionKind() != MultiVersionKind::TargetClones) { 11066 S.Diag(NewFD->getLocation(), diag::err_multiversion_required_in_redecl) 11067 << (OldFD->getMultiVersionKind() != MultiVersionKind::Target); 11068 NewFD->setInvalidDecl(); 11069 return true; 11070 } 11071 11072 if (!OldFD->isMultiVersion()) { 11073 switch (MVKind) { 11074 case MultiVersionKind::Target: 11075 return CheckTargetCausesMultiVersioning(S, OldFD, NewFD, NewTA, 11076 Redeclaration, OldDecl, Previous); 11077 case MultiVersionKind::TargetClones: 11078 if (OldFD->isUsed(false)) { 11079 NewFD->setInvalidDecl(); 11080 return S.Diag(NewFD->getLocation(), diag::err_multiversion_after_used); 11081 } 11082 OldFD->setIsMultiVersion(); 11083 break; 11084 case MultiVersionKind::CPUDispatch: 11085 case MultiVersionKind::CPUSpecific: 11086 case MultiVersionKind::None: 11087 break; 11088 } 11089 } 11090 11091 // At this point, we have a multiversion function decl (in OldFD) AND an 11092 // appropriate attribute in the current function decl. Resolve that these are 11093 // still compatible with previous declarations. 11094 return CheckMultiVersionAdditionalDecl(S, OldFD, NewFD, MVKind, NewTA, 11095 NewCPUDisp, NewCPUSpec, NewClones, 11096 Redeclaration, OldDecl, Previous); 11097 } 11098 11099 /// Perform semantic checking of a new function declaration. 11100 /// 11101 /// Performs semantic analysis of the new function declaration 11102 /// NewFD. This routine performs all semantic checking that does not 11103 /// require the actual declarator involved in the declaration, and is 11104 /// used both for the declaration of functions as they are parsed 11105 /// (called via ActOnDeclarator) and for the declaration of functions 11106 /// that have been instantiated via C++ template instantiation (called 11107 /// via InstantiateDecl). 11108 /// 11109 /// \param IsMemberSpecialization whether this new function declaration is 11110 /// a member specialization (that replaces any definition provided by the 11111 /// previous declaration). 11112 /// 11113 /// This sets NewFD->isInvalidDecl() to true if there was an error. 11114 /// 11115 /// \returns true if the function declaration is a redeclaration. 11116 bool Sema::CheckFunctionDeclaration(Scope *S, FunctionDecl *NewFD, 11117 LookupResult &Previous, 11118 bool IsMemberSpecialization, 11119 bool DeclIsDefn) { 11120 assert(!NewFD->getReturnType()->isVariablyModifiedType() && 11121 "Variably modified return types are not handled here"); 11122 11123 // Determine whether the type of this function should be merged with 11124 // a previous visible declaration. This never happens for functions in C++, 11125 // and always happens in C if the previous declaration was visible. 11126 bool MergeTypeWithPrevious = !getLangOpts().CPlusPlus && 11127 !Previous.isShadowed(); 11128 11129 bool Redeclaration = false; 11130 NamedDecl *OldDecl = nullptr; 11131 bool MayNeedOverloadableChecks = false; 11132 11133 // Merge or overload the declaration with an existing declaration of 11134 // the same name, if appropriate. 11135 if (!Previous.empty()) { 11136 // Determine whether NewFD is an overload of PrevDecl or 11137 // a declaration that requires merging. If it's an overload, 11138 // there's no more work to do here; we'll just add the new 11139 // function to the scope. 11140 if (!AllowOverloadingOfFunction(Previous, Context, NewFD)) { 11141 NamedDecl *Candidate = Previous.getRepresentativeDecl(); 11142 if (shouldLinkPossiblyHiddenDecl(Candidate, NewFD)) { 11143 Redeclaration = true; 11144 OldDecl = Candidate; 11145 } 11146 } else { 11147 MayNeedOverloadableChecks = true; 11148 switch (CheckOverload(S, NewFD, Previous, OldDecl, 11149 /*NewIsUsingDecl*/ false)) { 11150 case Ovl_Match: 11151 Redeclaration = true; 11152 break; 11153 11154 case Ovl_NonFunction: 11155 Redeclaration = true; 11156 break; 11157 11158 case Ovl_Overload: 11159 Redeclaration = false; 11160 break; 11161 } 11162 } 11163 } 11164 11165 // Check for a previous extern "C" declaration with this name. 11166 if (!Redeclaration && 11167 checkForConflictWithNonVisibleExternC(*this, NewFD, Previous)) { 11168 if (!Previous.empty()) { 11169 // This is an extern "C" declaration with the same name as a previous 11170 // declaration, and thus redeclares that entity... 11171 Redeclaration = true; 11172 OldDecl = Previous.getFoundDecl(); 11173 MergeTypeWithPrevious = false; 11174 11175 // ... except in the presence of __attribute__((overloadable)). 11176 if (OldDecl->hasAttr<OverloadableAttr>() || 11177 NewFD->hasAttr<OverloadableAttr>()) { 11178 if (IsOverload(NewFD, cast<FunctionDecl>(OldDecl), false)) { 11179 MayNeedOverloadableChecks = true; 11180 Redeclaration = false; 11181 OldDecl = nullptr; 11182 } 11183 } 11184 } 11185 } 11186 11187 if (CheckMultiVersionFunction(*this, NewFD, Redeclaration, OldDecl, Previous)) 11188 return Redeclaration; 11189 11190 // PPC MMA non-pointer types are not allowed as function return types. 11191 if (Context.getTargetInfo().getTriple().isPPC64() && 11192 CheckPPCMMAType(NewFD->getReturnType(), NewFD->getLocation())) { 11193 NewFD->setInvalidDecl(); 11194 } 11195 11196 // C++11 [dcl.constexpr]p8: 11197 // A constexpr specifier for a non-static member function that is not 11198 // a constructor declares that member function to be const. 11199 // 11200 // This needs to be delayed until we know whether this is an out-of-line 11201 // definition of a static member function. 11202 // 11203 // This rule is not present in C++1y, so we produce a backwards 11204 // compatibility warning whenever it happens in C++11. 11205 CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewFD); 11206 if (!getLangOpts().CPlusPlus14 && MD && MD->isConstexpr() && 11207 !MD->isStatic() && !isa<CXXConstructorDecl>(MD) && 11208 !isa<CXXDestructorDecl>(MD) && !MD->getMethodQualifiers().hasConst()) { 11209 CXXMethodDecl *OldMD = nullptr; 11210 if (OldDecl) 11211 OldMD = dyn_cast_or_null<CXXMethodDecl>(OldDecl->getAsFunction()); 11212 if (!OldMD || !OldMD->isStatic()) { 11213 const FunctionProtoType *FPT = 11214 MD->getType()->castAs<FunctionProtoType>(); 11215 FunctionProtoType::ExtProtoInfo EPI = FPT->getExtProtoInfo(); 11216 EPI.TypeQuals.addConst(); 11217 MD->setType(Context.getFunctionType(FPT->getReturnType(), 11218 FPT->getParamTypes(), EPI)); 11219 11220 // Warn that we did this, if we're not performing template instantiation. 11221 // In that case, we'll have warned already when the template was defined. 11222 if (!inTemplateInstantiation()) { 11223 SourceLocation AddConstLoc; 11224 if (FunctionTypeLoc FTL = MD->getTypeSourceInfo()->getTypeLoc() 11225 .IgnoreParens().getAs<FunctionTypeLoc>()) 11226 AddConstLoc = getLocForEndOfToken(FTL.getRParenLoc()); 11227 11228 Diag(MD->getLocation(), diag::warn_cxx14_compat_constexpr_not_const) 11229 << FixItHint::CreateInsertion(AddConstLoc, " const"); 11230 } 11231 } 11232 } 11233 11234 if (Redeclaration) { 11235 // NewFD and OldDecl represent declarations that need to be 11236 // merged. 11237 if (MergeFunctionDecl(NewFD, OldDecl, S, MergeTypeWithPrevious, 11238 DeclIsDefn)) { 11239 NewFD->setInvalidDecl(); 11240 return Redeclaration; 11241 } 11242 11243 Previous.clear(); 11244 Previous.addDecl(OldDecl); 11245 11246 if (FunctionTemplateDecl *OldTemplateDecl = 11247 dyn_cast<FunctionTemplateDecl>(OldDecl)) { 11248 auto *OldFD = OldTemplateDecl->getTemplatedDecl(); 11249 FunctionTemplateDecl *NewTemplateDecl 11250 = NewFD->getDescribedFunctionTemplate(); 11251 assert(NewTemplateDecl && "Template/non-template mismatch"); 11252 11253 // The call to MergeFunctionDecl above may have created some state in 11254 // NewTemplateDecl that needs to be merged with OldTemplateDecl before we 11255 // can add it as a redeclaration. 11256 NewTemplateDecl->mergePrevDecl(OldTemplateDecl); 11257 11258 NewFD->setPreviousDeclaration(OldFD); 11259 if (NewFD->isCXXClassMember()) { 11260 NewFD->setAccess(OldTemplateDecl->getAccess()); 11261 NewTemplateDecl->setAccess(OldTemplateDecl->getAccess()); 11262 } 11263 11264 // If this is an explicit specialization of a member that is a function 11265 // template, mark it as a member specialization. 11266 if (IsMemberSpecialization && 11267 NewTemplateDecl->getInstantiatedFromMemberTemplate()) { 11268 NewTemplateDecl->setMemberSpecialization(); 11269 assert(OldTemplateDecl->isMemberSpecialization()); 11270 // Explicit specializations of a member template do not inherit deleted 11271 // status from the parent member template that they are specializing. 11272 if (OldFD->isDeleted()) { 11273 // FIXME: This assert will not hold in the presence of modules. 11274 assert(OldFD->getCanonicalDecl() == OldFD); 11275 // FIXME: We need an update record for this AST mutation. 11276 OldFD->setDeletedAsWritten(false); 11277 } 11278 } 11279 11280 } else { 11281 if (shouldLinkDependentDeclWithPrevious(NewFD, OldDecl)) { 11282 auto *OldFD = cast<FunctionDecl>(OldDecl); 11283 // This needs to happen first so that 'inline' propagates. 11284 NewFD->setPreviousDeclaration(OldFD); 11285 if (NewFD->isCXXClassMember()) 11286 NewFD->setAccess(OldFD->getAccess()); 11287 } 11288 } 11289 } else if (!getLangOpts().CPlusPlus && MayNeedOverloadableChecks && 11290 !NewFD->getAttr<OverloadableAttr>()) { 11291 assert((Previous.empty() || 11292 llvm::any_of(Previous, 11293 [](const NamedDecl *ND) { 11294 return ND->hasAttr<OverloadableAttr>(); 11295 })) && 11296 "Non-redecls shouldn't happen without overloadable present"); 11297 11298 auto OtherUnmarkedIter = llvm::find_if(Previous, [](const NamedDecl *ND) { 11299 const auto *FD = dyn_cast<FunctionDecl>(ND); 11300 return FD && !FD->hasAttr<OverloadableAttr>(); 11301 }); 11302 11303 if (OtherUnmarkedIter != Previous.end()) { 11304 Diag(NewFD->getLocation(), 11305 diag::err_attribute_overloadable_multiple_unmarked_overloads); 11306 Diag((*OtherUnmarkedIter)->getLocation(), 11307 diag::note_attribute_overloadable_prev_overload) 11308 << false; 11309 11310 NewFD->addAttr(OverloadableAttr::CreateImplicit(Context)); 11311 } 11312 } 11313 11314 if (LangOpts.OpenMP) 11315 ActOnFinishedFunctionDefinitionInOpenMPAssumeScope(NewFD); 11316 11317 // Semantic checking for this function declaration (in isolation). 11318 11319 if (getLangOpts().CPlusPlus) { 11320 // C++-specific checks. 11321 if (CXXConstructorDecl *Constructor = dyn_cast<CXXConstructorDecl>(NewFD)) { 11322 CheckConstructor(Constructor); 11323 } else if (CXXDestructorDecl *Destructor = 11324 dyn_cast<CXXDestructorDecl>(NewFD)) { 11325 CXXRecordDecl *Record = Destructor->getParent(); 11326 QualType ClassType = Context.getTypeDeclType(Record); 11327 11328 // FIXME: Shouldn't we be able to perform this check even when the class 11329 // type is dependent? Both gcc and edg can handle that. 11330 if (!ClassType->isDependentType()) { 11331 DeclarationName Name 11332 = Context.DeclarationNames.getCXXDestructorName( 11333 Context.getCanonicalType(ClassType)); 11334 if (NewFD->getDeclName() != Name) { 11335 Diag(NewFD->getLocation(), diag::err_destructor_name); 11336 NewFD->setInvalidDecl(); 11337 return Redeclaration; 11338 } 11339 } 11340 } else if (auto *Guide = dyn_cast<CXXDeductionGuideDecl>(NewFD)) { 11341 if (auto *TD = Guide->getDescribedFunctionTemplate()) 11342 CheckDeductionGuideTemplate(TD); 11343 11344 // A deduction guide is not on the list of entities that can be 11345 // explicitly specialized. 11346 if (Guide->getTemplateSpecializationKind() == TSK_ExplicitSpecialization) 11347 Diag(Guide->getBeginLoc(), diag::err_deduction_guide_specialized) 11348 << /*explicit specialization*/ 1; 11349 } 11350 11351 // Find any virtual functions that this function overrides. 11352 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(NewFD)) { 11353 if (!Method->isFunctionTemplateSpecialization() && 11354 !Method->getDescribedFunctionTemplate() && 11355 Method->isCanonicalDecl()) { 11356 AddOverriddenMethods(Method->getParent(), Method); 11357 } 11358 if (Method->isVirtual() && NewFD->getTrailingRequiresClause()) 11359 // C++2a [class.virtual]p6 11360 // A virtual method shall not have a requires-clause. 11361 Diag(NewFD->getTrailingRequiresClause()->getBeginLoc(), 11362 diag::err_constrained_virtual_method); 11363 11364 if (Method->isStatic()) 11365 checkThisInStaticMemberFunctionType(Method); 11366 } 11367 11368 // C++20: dcl.decl.general p4: 11369 // The optional requires-clause ([temp.pre]) in an init-declarator or 11370 // member-declarator shall be present only if the declarator declares a 11371 // templated function ([dcl.fct]). 11372 if (Expr *TRC = NewFD->getTrailingRequiresClause()) { 11373 if (!NewFD->isTemplated() && !NewFD->isTemplateInstantiation()) 11374 Diag(TRC->getBeginLoc(), diag::err_constrained_non_templated_function); 11375 } 11376 11377 if (CXXConversionDecl *Conversion = dyn_cast<CXXConversionDecl>(NewFD)) 11378 ActOnConversionDeclarator(Conversion); 11379 11380 // Extra checking for C++ overloaded operators (C++ [over.oper]). 11381 if (NewFD->isOverloadedOperator() && 11382 CheckOverloadedOperatorDeclaration(NewFD)) { 11383 NewFD->setInvalidDecl(); 11384 return Redeclaration; 11385 } 11386 11387 // Extra checking for C++0x literal operators (C++0x [over.literal]). 11388 if (NewFD->getLiteralIdentifier() && 11389 CheckLiteralOperatorDeclaration(NewFD)) { 11390 NewFD->setInvalidDecl(); 11391 return Redeclaration; 11392 } 11393 11394 // In C++, check default arguments now that we have merged decls. Unless 11395 // the lexical context is the class, because in this case this is done 11396 // during delayed parsing anyway. 11397 if (!CurContext->isRecord()) 11398 CheckCXXDefaultArguments(NewFD); 11399 11400 // If this function is declared as being extern "C", then check to see if 11401 // the function returns a UDT (class, struct, or union type) that is not C 11402 // compatible, and if it does, warn the user. 11403 // But, issue any diagnostic on the first declaration only. 11404 if (Previous.empty() && NewFD->isExternC()) { 11405 QualType R = NewFD->getReturnType(); 11406 if (R->isIncompleteType() && !R->isVoidType()) 11407 Diag(NewFD->getLocation(), diag::warn_return_value_udt_incomplete) 11408 << NewFD << R; 11409 else if (!R.isPODType(Context) && !R->isVoidType() && 11410 !R->isObjCObjectPointerType()) 11411 Diag(NewFD->getLocation(), diag::warn_return_value_udt) << NewFD << R; 11412 } 11413 11414 // C++1z [dcl.fct]p6: 11415 // [...] whether the function has a non-throwing exception-specification 11416 // [is] part of the function type 11417 // 11418 // This results in an ABI break between C++14 and C++17 for functions whose 11419 // declared type includes an exception-specification in a parameter or 11420 // return type. (Exception specifications on the function itself are OK in 11421 // most cases, and exception specifications are not permitted in most other 11422 // contexts where they could make it into a mangling.) 11423 if (!getLangOpts().CPlusPlus17 && !NewFD->getPrimaryTemplate()) { 11424 auto HasNoexcept = [&](QualType T) -> bool { 11425 // Strip off declarator chunks that could be between us and a function 11426 // type. We don't need to look far, exception specifications are very 11427 // restricted prior to C++17. 11428 if (auto *RT = T->getAs<ReferenceType>()) 11429 T = RT->getPointeeType(); 11430 else if (T->isAnyPointerType()) 11431 T = T->getPointeeType(); 11432 else if (auto *MPT = T->getAs<MemberPointerType>()) 11433 T = MPT->getPointeeType(); 11434 if (auto *FPT = T->getAs<FunctionProtoType>()) 11435 if (FPT->isNothrow()) 11436 return true; 11437 return false; 11438 }; 11439 11440 auto *FPT = NewFD->getType()->castAs<FunctionProtoType>(); 11441 bool AnyNoexcept = HasNoexcept(FPT->getReturnType()); 11442 for (QualType T : FPT->param_types()) 11443 AnyNoexcept |= HasNoexcept(T); 11444 if (AnyNoexcept) 11445 Diag(NewFD->getLocation(), 11446 diag::warn_cxx17_compat_exception_spec_in_signature) 11447 << NewFD; 11448 } 11449 11450 if (!Redeclaration && LangOpts.CUDA) 11451 checkCUDATargetOverload(NewFD, Previous); 11452 } 11453 return Redeclaration; 11454 } 11455 11456 void Sema::CheckMain(FunctionDecl* FD, const DeclSpec& DS) { 11457 // C++11 [basic.start.main]p3: 11458 // A program that [...] declares main to be inline, static or 11459 // constexpr is ill-formed. 11460 // C11 6.7.4p4: In a hosted environment, no function specifier(s) shall 11461 // appear in a declaration of main. 11462 // static main is not an error under C99, but we should warn about it. 11463 // We accept _Noreturn main as an extension. 11464 if (FD->getStorageClass() == SC_Static) 11465 Diag(DS.getStorageClassSpecLoc(), getLangOpts().CPlusPlus 11466 ? diag::err_static_main : diag::warn_static_main) 11467 << FixItHint::CreateRemoval(DS.getStorageClassSpecLoc()); 11468 if (FD->isInlineSpecified()) 11469 Diag(DS.getInlineSpecLoc(), diag::err_inline_main) 11470 << FixItHint::CreateRemoval(DS.getInlineSpecLoc()); 11471 if (DS.isNoreturnSpecified()) { 11472 SourceLocation NoreturnLoc = DS.getNoreturnSpecLoc(); 11473 SourceRange NoreturnRange(NoreturnLoc, getLocForEndOfToken(NoreturnLoc)); 11474 Diag(NoreturnLoc, diag::ext_noreturn_main); 11475 Diag(NoreturnLoc, diag::note_main_remove_noreturn) 11476 << FixItHint::CreateRemoval(NoreturnRange); 11477 } 11478 if (FD->isConstexpr()) { 11479 Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_main) 11480 << FD->isConsteval() 11481 << FixItHint::CreateRemoval(DS.getConstexprSpecLoc()); 11482 FD->setConstexprKind(ConstexprSpecKind::Unspecified); 11483 } 11484 11485 if (getLangOpts().OpenCL) { 11486 Diag(FD->getLocation(), diag::err_opencl_no_main) 11487 << FD->hasAttr<OpenCLKernelAttr>(); 11488 FD->setInvalidDecl(); 11489 return; 11490 } 11491 11492 // Functions named main in hlsl are default entries, but don't have specific 11493 // signatures they are required to conform to. 11494 if (getLangOpts().HLSL) 11495 return; 11496 11497 QualType T = FD->getType(); 11498 assert(T->isFunctionType() && "function decl is not of function type"); 11499 const FunctionType* FT = T->castAs<FunctionType>(); 11500 11501 // Set default calling convention for main() 11502 if (FT->getCallConv() != CC_C) { 11503 FT = Context.adjustFunctionType(FT, FT->getExtInfo().withCallingConv(CC_C)); 11504 FD->setType(QualType(FT, 0)); 11505 T = Context.getCanonicalType(FD->getType()); 11506 } 11507 11508 if (getLangOpts().GNUMode && !getLangOpts().CPlusPlus) { 11509 // In C with GNU extensions we allow main() to have non-integer return 11510 // type, but we should warn about the extension, and we disable the 11511 // implicit-return-zero rule. 11512 11513 // GCC in C mode accepts qualified 'int'. 11514 if (Context.hasSameUnqualifiedType(FT->getReturnType(), Context.IntTy)) 11515 FD->setHasImplicitReturnZero(true); 11516 else { 11517 Diag(FD->getTypeSpecStartLoc(), diag::ext_main_returns_nonint); 11518 SourceRange RTRange = FD->getReturnTypeSourceRange(); 11519 if (RTRange.isValid()) 11520 Diag(RTRange.getBegin(), diag::note_main_change_return_type) 11521 << FixItHint::CreateReplacement(RTRange, "int"); 11522 } 11523 } else { 11524 // In C and C++, main magically returns 0 if you fall off the end; 11525 // set the flag which tells us that. 11526 // This is C++ [basic.start.main]p5 and C99 5.1.2.2.3. 11527 11528 // All the standards say that main() should return 'int'. 11529 if (Context.hasSameType(FT->getReturnType(), Context.IntTy)) 11530 FD->setHasImplicitReturnZero(true); 11531 else { 11532 // Otherwise, this is just a flat-out error. 11533 SourceRange RTRange = FD->getReturnTypeSourceRange(); 11534 Diag(FD->getTypeSpecStartLoc(), diag::err_main_returns_nonint) 11535 << (RTRange.isValid() ? FixItHint::CreateReplacement(RTRange, "int") 11536 : FixItHint()); 11537 FD->setInvalidDecl(true); 11538 } 11539 } 11540 11541 // Treat protoless main() as nullary. 11542 if (isa<FunctionNoProtoType>(FT)) return; 11543 11544 const FunctionProtoType* FTP = cast<const FunctionProtoType>(FT); 11545 unsigned nparams = FTP->getNumParams(); 11546 assert(FD->getNumParams() == nparams); 11547 11548 bool HasExtraParameters = (nparams > 3); 11549 11550 if (FTP->isVariadic()) { 11551 Diag(FD->getLocation(), diag::ext_variadic_main); 11552 // FIXME: if we had information about the location of the ellipsis, we 11553 // could add a FixIt hint to remove it as a parameter. 11554 } 11555 11556 // Darwin passes an undocumented fourth argument of type char**. If 11557 // other platforms start sprouting these, the logic below will start 11558 // getting shifty. 11559 if (nparams == 4 && Context.getTargetInfo().getTriple().isOSDarwin()) 11560 HasExtraParameters = false; 11561 11562 if (HasExtraParameters) { 11563 Diag(FD->getLocation(), diag::err_main_surplus_args) << nparams; 11564 FD->setInvalidDecl(true); 11565 nparams = 3; 11566 } 11567 11568 // FIXME: a lot of the following diagnostics would be improved 11569 // if we had some location information about types. 11570 11571 QualType CharPP = 11572 Context.getPointerType(Context.getPointerType(Context.CharTy)); 11573 QualType Expected[] = { Context.IntTy, CharPP, CharPP, CharPP }; 11574 11575 for (unsigned i = 0; i < nparams; ++i) { 11576 QualType AT = FTP->getParamType(i); 11577 11578 bool mismatch = true; 11579 11580 if (Context.hasSameUnqualifiedType(AT, Expected[i])) 11581 mismatch = false; 11582 else if (Expected[i] == CharPP) { 11583 // As an extension, the following forms are okay: 11584 // char const ** 11585 // char const * const * 11586 // char * const * 11587 11588 QualifierCollector qs; 11589 const PointerType* PT; 11590 if ((PT = qs.strip(AT)->getAs<PointerType>()) && 11591 (PT = qs.strip(PT->getPointeeType())->getAs<PointerType>()) && 11592 Context.hasSameType(QualType(qs.strip(PT->getPointeeType()), 0), 11593 Context.CharTy)) { 11594 qs.removeConst(); 11595 mismatch = !qs.empty(); 11596 } 11597 } 11598 11599 if (mismatch) { 11600 Diag(FD->getLocation(), diag::err_main_arg_wrong) << i << Expected[i]; 11601 // TODO: suggest replacing given type with expected type 11602 FD->setInvalidDecl(true); 11603 } 11604 } 11605 11606 if (nparams == 1 && !FD->isInvalidDecl()) { 11607 Diag(FD->getLocation(), diag::warn_main_one_arg); 11608 } 11609 11610 if (!FD->isInvalidDecl() && FD->getDescribedFunctionTemplate()) { 11611 Diag(FD->getLocation(), diag::err_mainlike_template_decl) << FD; 11612 FD->setInvalidDecl(); 11613 } 11614 } 11615 11616 static bool isDefaultStdCall(FunctionDecl *FD, Sema &S) { 11617 11618 // Default calling convention for main and wmain is __cdecl 11619 if (FD->getName() == "main" || FD->getName() == "wmain") 11620 return false; 11621 11622 // Default calling convention for MinGW is __cdecl 11623 const llvm::Triple &T = S.Context.getTargetInfo().getTriple(); 11624 if (T.isWindowsGNUEnvironment()) 11625 return false; 11626 11627 // Default calling convention for WinMain, wWinMain and DllMain 11628 // is __stdcall on 32 bit Windows 11629 if (T.isOSWindows() && T.getArch() == llvm::Triple::x86) 11630 return true; 11631 11632 return false; 11633 } 11634 11635 void Sema::CheckMSVCRTEntryPoint(FunctionDecl *FD) { 11636 QualType T = FD->getType(); 11637 assert(T->isFunctionType() && "function decl is not of function type"); 11638 const FunctionType *FT = T->castAs<FunctionType>(); 11639 11640 // Set an implicit return of 'zero' if the function can return some integral, 11641 // enumeration, pointer or nullptr type. 11642 if (FT->getReturnType()->isIntegralOrEnumerationType() || 11643 FT->getReturnType()->isAnyPointerType() || 11644 FT->getReturnType()->isNullPtrType()) 11645 // DllMain is exempt because a return value of zero means it failed. 11646 if (FD->getName() != "DllMain") 11647 FD->setHasImplicitReturnZero(true); 11648 11649 // Explicity specified calling conventions are applied to MSVC entry points 11650 if (!hasExplicitCallingConv(T)) { 11651 if (isDefaultStdCall(FD, *this)) { 11652 if (FT->getCallConv() != CC_X86StdCall) { 11653 FT = Context.adjustFunctionType( 11654 FT, FT->getExtInfo().withCallingConv(CC_X86StdCall)); 11655 FD->setType(QualType(FT, 0)); 11656 } 11657 } else if (FT->getCallConv() != CC_C) { 11658 FT = Context.adjustFunctionType(FT, 11659 FT->getExtInfo().withCallingConv(CC_C)); 11660 FD->setType(QualType(FT, 0)); 11661 } 11662 } 11663 11664 if (!FD->isInvalidDecl() && FD->getDescribedFunctionTemplate()) { 11665 Diag(FD->getLocation(), diag::err_mainlike_template_decl) << FD; 11666 FD->setInvalidDecl(); 11667 } 11668 } 11669 11670 bool Sema::CheckForConstantInitializer(Expr *Init, QualType DclT) { 11671 // FIXME: Need strict checking. In C89, we need to check for 11672 // any assignment, increment, decrement, function-calls, or 11673 // commas outside of a sizeof. In C99, it's the same list, 11674 // except that the aforementioned are allowed in unevaluated 11675 // expressions. Everything else falls under the 11676 // "may accept other forms of constant expressions" exception. 11677 // 11678 // Regular C++ code will not end up here (exceptions: language extensions, 11679 // OpenCL C++ etc), so the constant expression rules there don't matter. 11680 if (Init->isValueDependent()) { 11681 assert(Init->containsErrors() && 11682 "Dependent code should only occur in error-recovery path."); 11683 return true; 11684 } 11685 const Expr *Culprit; 11686 if (Init->isConstantInitializer(Context, false, &Culprit)) 11687 return false; 11688 Diag(Culprit->getExprLoc(), diag::err_init_element_not_constant) 11689 << Culprit->getSourceRange(); 11690 return true; 11691 } 11692 11693 namespace { 11694 // Visits an initialization expression to see if OrigDecl is evaluated in 11695 // its own initialization and throws a warning if it does. 11696 class SelfReferenceChecker 11697 : public EvaluatedExprVisitor<SelfReferenceChecker> { 11698 Sema &S; 11699 Decl *OrigDecl; 11700 bool isRecordType; 11701 bool isPODType; 11702 bool isReferenceType; 11703 11704 bool isInitList; 11705 llvm::SmallVector<unsigned, 4> InitFieldIndex; 11706 11707 public: 11708 typedef EvaluatedExprVisitor<SelfReferenceChecker> Inherited; 11709 11710 SelfReferenceChecker(Sema &S, Decl *OrigDecl) : Inherited(S.Context), 11711 S(S), OrigDecl(OrigDecl) { 11712 isPODType = false; 11713 isRecordType = false; 11714 isReferenceType = false; 11715 isInitList = false; 11716 if (ValueDecl *VD = dyn_cast<ValueDecl>(OrigDecl)) { 11717 isPODType = VD->getType().isPODType(S.Context); 11718 isRecordType = VD->getType()->isRecordType(); 11719 isReferenceType = VD->getType()->isReferenceType(); 11720 } 11721 } 11722 11723 // For most expressions, just call the visitor. For initializer lists, 11724 // track the index of the field being initialized since fields are 11725 // initialized in order allowing use of previously initialized fields. 11726 void CheckExpr(Expr *E) { 11727 InitListExpr *InitList = dyn_cast<InitListExpr>(E); 11728 if (!InitList) { 11729 Visit(E); 11730 return; 11731 } 11732 11733 // Track and increment the index here. 11734 isInitList = true; 11735 InitFieldIndex.push_back(0); 11736 for (auto Child : InitList->children()) { 11737 CheckExpr(cast<Expr>(Child)); 11738 ++InitFieldIndex.back(); 11739 } 11740 InitFieldIndex.pop_back(); 11741 } 11742 11743 // Returns true if MemberExpr is checked and no further checking is needed. 11744 // Returns false if additional checking is required. 11745 bool CheckInitListMemberExpr(MemberExpr *E, bool CheckReference) { 11746 llvm::SmallVector<FieldDecl*, 4> Fields; 11747 Expr *Base = E; 11748 bool ReferenceField = false; 11749 11750 // Get the field members used. 11751 while (MemberExpr *ME = dyn_cast<MemberExpr>(Base)) { 11752 FieldDecl *FD = dyn_cast<FieldDecl>(ME->getMemberDecl()); 11753 if (!FD) 11754 return false; 11755 Fields.push_back(FD); 11756 if (FD->getType()->isReferenceType()) 11757 ReferenceField = true; 11758 Base = ME->getBase()->IgnoreParenImpCasts(); 11759 } 11760 11761 // Keep checking only if the base Decl is the same. 11762 DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Base); 11763 if (!DRE || DRE->getDecl() != OrigDecl) 11764 return false; 11765 11766 // A reference field can be bound to an unininitialized field. 11767 if (CheckReference && !ReferenceField) 11768 return true; 11769 11770 // Convert FieldDecls to their index number. 11771 llvm::SmallVector<unsigned, 4> UsedFieldIndex; 11772 for (const FieldDecl *I : llvm::reverse(Fields)) 11773 UsedFieldIndex.push_back(I->getFieldIndex()); 11774 11775 // See if a warning is needed by checking the first difference in index 11776 // numbers. If field being used has index less than the field being 11777 // initialized, then the use is safe. 11778 for (auto UsedIter = UsedFieldIndex.begin(), 11779 UsedEnd = UsedFieldIndex.end(), 11780 OrigIter = InitFieldIndex.begin(), 11781 OrigEnd = InitFieldIndex.end(); 11782 UsedIter != UsedEnd && OrigIter != OrigEnd; ++UsedIter, ++OrigIter) { 11783 if (*UsedIter < *OrigIter) 11784 return true; 11785 if (*UsedIter > *OrigIter) 11786 break; 11787 } 11788 11789 // TODO: Add a different warning which will print the field names. 11790 HandleDeclRefExpr(DRE); 11791 return true; 11792 } 11793 11794 // For most expressions, the cast is directly above the DeclRefExpr. 11795 // For conditional operators, the cast can be outside the conditional 11796 // operator if both expressions are DeclRefExpr's. 11797 void HandleValue(Expr *E) { 11798 E = E->IgnoreParens(); 11799 if (DeclRefExpr* DRE = dyn_cast<DeclRefExpr>(E)) { 11800 HandleDeclRefExpr(DRE); 11801 return; 11802 } 11803 11804 if (ConditionalOperator *CO = dyn_cast<ConditionalOperator>(E)) { 11805 Visit(CO->getCond()); 11806 HandleValue(CO->getTrueExpr()); 11807 HandleValue(CO->getFalseExpr()); 11808 return; 11809 } 11810 11811 if (BinaryConditionalOperator *BCO = 11812 dyn_cast<BinaryConditionalOperator>(E)) { 11813 Visit(BCO->getCond()); 11814 HandleValue(BCO->getFalseExpr()); 11815 return; 11816 } 11817 11818 if (OpaqueValueExpr *OVE = dyn_cast<OpaqueValueExpr>(E)) { 11819 HandleValue(OVE->getSourceExpr()); 11820 return; 11821 } 11822 11823 if (BinaryOperator *BO = dyn_cast<BinaryOperator>(E)) { 11824 if (BO->getOpcode() == BO_Comma) { 11825 Visit(BO->getLHS()); 11826 HandleValue(BO->getRHS()); 11827 return; 11828 } 11829 } 11830 11831 if (isa<MemberExpr>(E)) { 11832 if (isInitList) { 11833 if (CheckInitListMemberExpr(cast<MemberExpr>(E), 11834 false /*CheckReference*/)) 11835 return; 11836 } 11837 11838 Expr *Base = E->IgnoreParenImpCasts(); 11839 while (MemberExpr *ME = dyn_cast<MemberExpr>(Base)) { 11840 // Check for static member variables and don't warn on them. 11841 if (!isa<FieldDecl>(ME->getMemberDecl())) 11842 return; 11843 Base = ME->getBase()->IgnoreParenImpCasts(); 11844 } 11845 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Base)) 11846 HandleDeclRefExpr(DRE); 11847 return; 11848 } 11849 11850 Visit(E); 11851 } 11852 11853 // Reference types not handled in HandleValue are handled here since all 11854 // uses of references are bad, not just r-value uses. 11855 void VisitDeclRefExpr(DeclRefExpr *E) { 11856 if (isReferenceType) 11857 HandleDeclRefExpr(E); 11858 } 11859 11860 void VisitImplicitCastExpr(ImplicitCastExpr *E) { 11861 if (E->getCastKind() == CK_LValueToRValue) { 11862 HandleValue(E->getSubExpr()); 11863 return; 11864 } 11865 11866 Inherited::VisitImplicitCastExpr(E); 11867 } 11868 11869 void VisitMemberExpr(MemberExpr *E) { 11870 if (isInitList) { 11871 if (CheckInitListMemberExpr(E, true /*CheckReference*/)) 11872 return; 11873 } 11874 11875 // Don't warn on arrays since they can be treated as pointers. 11876 if (E->getType()->canDecayToPointerType()) return; 11877 11878 // Warn when a non-static method call is followed by non-static member 11879 // field accesses, which is followed by a DeclRefExpr. 11880 CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(E->getMemberDecl()); 11881 bool Warn = (MD && !MD->isStatic()); 11882 Expr *Base = E->getBase()->IgnoreParenImpCasts(); 11883 while (MemberExpr *ME = dyn_cast<MemberExpr>(Base)) { 11884 if (!isa<FieldDecl>(ME->getMemberDecl())) 11885 Warn = false; 11886 Base = ME->getBase()->IgnoreParenImpCasts(); 11887 } 11888 11889 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Base)) { 11890 if (Warn) 11891 HandleDeclRefExpr(DRE); 11892 return; 11893 } 11894 11895 // The base of a MemberExpr is not a MemberExpr or a DeclRefExpr. 11896 // Visit that expression. 11897 Visit(Base); 11898 } 11899 11900 void VisitCXXOperatorCallExpr(CXXOperatorCallExpr *E) { 11901 Expr *Callee = E->getCallee(); 11902 11903 if (isa<UnresolvedLookupExpr>(Callee)) 11904 return Inherited::VisitCXXOperatorCallExpr(E); 11905 11906 Visit(Callee); 11907 for (auto Arg: E->arguments()) 11908 HandleValue(Arg->IgnoreParenImpCasts()); 11909 } 11910 11911 void VisitUnaryOperator(UnaryOperator *E) { 11912 // For POD record types, addresses of its own members are well-defined. 11913 if (E->getOpcode() == UO_AddrOf && isRecordType && 11914 isa<MemberExpr>(E->getSubExpr()->IgnoreParens())) { 11915 if (!isPODType) 11916 HandleValue(E->getSubExpr()); 11917 return; 11918 } 11919 11920 if (E->isIncrementDecrementOp()) { 11921 HandleValue(E->getSubExpr()); 11922 return; 11923 } 11924 11925 Inherited::VisitUnaryOperator(E); 11926 } 11927 11928 void VisitObjCMessageExpr(ObjCMessageExpr *E) {} 11929 11930 void VisitCXXConstructExpr(CXXConstructExpr *E) { 11931 if (E->getConstructor()->isCopyConstructor()) { 11932 Expr *ArgExpr = E->getArg(0); 11933 if (InitListExpr *ILE = dyn_cast<InitListExpr>(ArgExpr)) 11934 if (ILE->getNumInits() == 1) 11935 ArgExpr = ILE->getInit(0); 11936 if (ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(ArgExpr)) 11937 if (ICE->getCastKind() == CK_NoOp) 11938 ArgExpr = ICE->getSubExpr(); 11939 HandleValue(ArgExpr); 11940 return; 11941 } 11942 Inherited::VisitCXXConstructExpr(E); 11943 } 11944 11945 void VisitCallExpr(CallExpr *E) { 11946 // Treat std::move as a use. 11947 if (E->isCallToStdMove()) { 11948 HandleValue(E->getArg(0)); 11949 return; 11950 } 11951 11952 Inherited::VisitCallExpr(E); 11953 } 11954 11955 void VisitBinaryOperator(BinaryOperator *E) { 11956 if (E->isCompoundAssignmentOp()) { 11957 HandleValue(E->getLHS()); 11958 Visit(E->getRHS()); 11959 return; 11960 } 11961 11962 Inherited::VisitBinaryOperator(E); 11963 } 11964 11965 // A custom visitor for BinaryConditionalOperator is needed because the 11966 // regular visitor would check the condition and true expression separately 11967 // but both point to the same place giving duplicate diagnostics. 11968 void VisitBinaryConditionalOperator(BinaryConditionalOperator *E) { 11969 Visit(E->getCond()); 11970 Visit(E->getFalseExpr()); 11971 } 11972 11973 void HandleDeclRefExpr(DeclRefExpr *DRE) { 11974 Decl* ReferenceDecl = DRE->getDecl(); 11975 if (OrigDecl != ReferenceDecl) return; 11976 unsigned diag; 11977 if (isReferenceType) { 11978 diag = diag::warn_uninit_self_reference_in_reference_init; 11979 } else if (cast<VarDecl>(OrigDecl)->isStaticLocal()) { 11980 diag = diag::warn_static_self_reference_in_init; 11981 } else if (isa<TranslationUnitDecl>(OrigDecl->getDeclContext()) || 11982 isa<NamespaceDecl>(OrigDecl->getDeclContext()) || 11983 DRE->getDecl()->getType()->isRecordType()) { 11984 diag = diag::warn_uninit_self_reference_in_init; 11985 } else { 11986 // Local variables will be handled by the CFG analysis. 11987 return; 11988 } 11989 11990 S.DiagRuntimeBehavior(DRE->getBeginLoc(), DRE, 11991 S.PDiag(diag) 11992 << DRE->getDecl() << OrigDecl->getLocation() 11993 << DRE->getSourceRange()); 11994 } 11995 }; 11996 11997 /// CheckSelfReference - Warns if OrigDecl is used in expression E. 11998 static void CheckSelfReference(Sema &S, Decl* OrigDecl, Expr *E, 11999 bool DirectInit) { 12000 // Parameters arguments are occassionially constructed with itself, 12001 // for instance, in recursive functions. Skip them. 12002 if (isa<ParmVarDecl>(OrigDecl)) 12003 return; 12004 12005 E = E->IgnoreParens(); 12006 12007 // Skip checking T a = a where T is not a record or reference type. 12008 // Doing so is a way to silence uninitialized warnings. 12009 if (!DirectInit && !cast<VarDecl>(OrigDecl)->getType()->isRecordType()) 12010 if (ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(E)) 12011 if (ICE->getCastKind() == CK_LValueToRValue) 12012 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(ICE->getSubExpr())) 12013 if (DRE->getDecl() == OrigDecl) 12014 return; 12015 12016 SelfReferenceChecker(S, OrigDecl).CheckExpr(E); 12017 } 12018 } // end anonymous namespace 12019 12020 namespace { 12021 // Simple wrapper to add the name of a variable or (if no variable is 12022 // available) a DeclarationName into a diagnostic. 12023 struct VarDeclOrName { 12024 VarDecl *VDecl; 12025 DeclarationName Name; 12026 12027 friend const Sema::SemaDiagnosticBuilder & 12028 operator<<(const Sema::SemaDiagnosticBuilder &Diag, VarDeclOrName VN) { 12029 return VN.VDecl ? Diag << VN.VDecl : Diag << VN.Name; 12030 } 12031 }; 12032 } // end anonymous namespace 12033 12034 QualType Sema::deduceVarTypeFromInitializer(VarDecl *VDecl, 12035 DeclarationName Name, QualType Type, 12036 TypeSourceInfo *TSI, 12037 SourceRange Range, bool DirectInit, 12038 Expr *Init) { 12039 bool IsInitCapture = !VDecl; 12040 assert((!VDecl || !VDecl->isInitCapture()) && 12041 "init captures are expected to be deduced prior to initialization"); 12042 12043 VarDeclOrName VN{VDecl, Name}; 12044 12045 DeducedType *Deduced = Type->getContainedDeducedType(); 12046 assert(Deduced && "deduceVarTypeFromInitializer for non-deduced type"); 12047 12048 // C++11 [dcl.spec.auto]p3 12049 if (!Init) { 12050 assert(VDecl && "no init for init capture deduction?"); 12051 12052 // Except for class argument deduction, and then for an initializing 12053 // declaration only, i.e. no static at class scope or extern. 12054 if (!isa<DeducedTemplateSpecializationType>(Deduced) || 12055 VDecl->hasExternalStorage() || 12056 VDecl->isStaticDataMember()) { 12057 Diag(VDecl->getLocation(), diag::err_auto_var_requires_init) 12058 << VDecl->getDeclName() << Type; 12059 return QualType(); 12060 } 12061 } 12062 12063 ArrayRef<Expr*> DeduceInits; 12064 if (Init) 12065 DeduceInits = Init; 12066 12067 if (DirectInit) { 12068 if (auto *PL = dyn_cast_or_null<ParenListExpr>(Init)) 12069 DeduceInits = PL->exprs(); 12070 } 12071 12072 if (isa<DeducedTemplateSpecializationType>(Deduced)) { 12073 assert(VDecl && "non-auto type for init capture deduction?"); 12074 InitializedEntity Entity = InitializedEntity::InitializeVariable(VDecl); 12075 InitializationKind Kind = InitializationKind::CreateForInit( 12076 VDecl->getLocation(), DirectInit, Init); 12077 // FIXME: Initialization should not be taking a mutable list of inits. 12078 SmallVector<Expr*, 8> InitsCopy(DeduceInits.begin(), DeduceInits.end()); 12079 return DeduceTemplateSpecializationFromInitializer(TSI, Entity, Kind, 12080 InitsCopy); 12081 } 12082 12083 if (DirectInit) { 12084 if (auto *IL = dyn_cast<InitListExpr>(Init)) 12085 DeduceInits = IL->inits(); 12086 } 12087 12088 // Deduction only works if we have exactly one source expression. 12089 if (DeduceInits.empty()) { 12090 // It isn't possible to write this directly, but it is possible to 12091 // end up in this situation with "auto x(some_pack...);" 12092 Diag(Init->getBeginLoc(), IsInitCapture 12093 ? diag::err_init_capture_no_expression 12094 : diag::err_auto_var_init_no_expression) 12095 << VN << Type << Range; 12096 return QualType(); 12097 } 12098 12099 if (DeduceInits.size() > 1) { 12100 Diag(DeduceInits[1]->getBeginLoc(), 12101 IsInitCapture ? diag::err_init_capture_multiple_expressions 12102 : diag::err_auto_var_init_multiple_expressions) 12103 << VN << Type << Range; 12104 return QualType(); 12105 } 12106 12107 Expr *DeduceInit = DeduceInits[0]; 12108 if (DirectInit && isa<InitListExpr>(DeduceInit)) { 12109 Diag(Init->getBeginLoc(), IsInitCapture 12110 ? diag::err_init_capture_paren_braces 12111 : diag::err_auto_var_init_paren_braces) 12112 << isa<InitListExpr>(Init) << VN << Type << Range; 12113 return QualType(); 12114 } 12115 12116 // Expressions default to 'id' when we're in a debugger. 12117 bool DefaultedAnyToId = false; 12118 if (getLangOpts().DebuggerCastResultToId && 12119 Init->getType() == Context.UnknownAnyTy && !IsInitCapture) { 12120 ExprResult Result = forceUnknownAnyToType(Init, Context.getObjCIdType()); 12121 if (Result.isInvalid()) { 12122 return QualType(); 12123 } 12124 Init = Result.get(); 12125 DefaultedAnyToId = true; 12126 } 12127 12128 // C++ [dcl.decomp]p1: 12129 // If the assignment-expression [...] has array type A and no ref-qualifier 12130 // is present, e has type cv A 12131 if (VDecl && isa<DecompositionDecl>(VDecl) && 12132 Context.hasSameUnqualifiedType(Type, Context.getAutoDeductType()) && 12133 DeduceInit->getType()->isConstantArrayType()) 12134 return Context.getQualifiedType(DeduceInit->getType(), 12135 Type.getQualifiers()); 12136 12137 QualType DeducedType; 12138 if (DeduceAutoType(TSI, DeduceInit, DeducedType) == DAR_Failed) { 12139 if (!IsInitCapture) 12140 DiagnoseAutoDeductionFailure(VDecl, DeduceInit); 12141 else if (isa<InitListExpr>(Init)) 12142 Diag(Range.getBegin(), 12143 diag::err_init_capture_deduction_failure_from_init_list) 12144 << VN 12145 << (DeduceInit->getType().isNull() ? TSI->getType() 12146 : DeduceInit->getType()) 12147 << DeduceInit->getSourceRange(); 12148 else 12149 Diag(Range.getBegin(), diag::err_init_capture_deduction_failure) 12150 << VN << TSI->getType() 12151 << (DeduceInit->getType().isNull() ? TSI->getType() 12152 : DeduceInit->getType()) 12153 << DeduceInit->getSourceRange(); 12154 } 12155 12156 // Warn if we deduced 'id'. 'auto' usually implies type-safety, but using 12157 // 'id' instead of a specific object type prevents most of our usual 12158 // checks. 12159 // We only want to warn outside of template instantiations, though: 12160 // inside a template, the 'id' could have come from a parameter. 12161 if (!inTemplateInstantiation() && !DefaultedAnyToId && !IsInitCapture && 12162 !DeducedType.isNull() && DeducedType->isObjCIdType()) { 12163 SourceLocation Loc = TSI->getTypeLoc().getBeginLoc(); 12164 Diag(Loc, diag::warn_auto_var_is_id) << VN << Range; 12165 } 12166 12167 return DeducedType; 12168 } 12169 12170 bool Sema::DeduceVariableDeclarationType(VarDecl *VDecl, bool DirectInit, 12171 Expr *Init) { 12172 assert(!Init || !Init->containsErrors()); 12173 QualType DeducedType = deduceVarTypeFromInitializer( 12174 VDecl, VDecl->getDeclName(), VDecl->getType(), VDecl->getTypeSourceInfo(), 12175 VDecl->getSourceRange(), DirectInit, Init); 12176 if (DeducedType.isNull()) { 12177 VDecl->setInvalidDecl(); 12178 return true; 12179 } 12180 12181 VDecl->setType(DeducedType); 12182 assert(VDecl->isLinkageValid()); 12183 12184 // In ARC, infer lifetime. 12185 if (getLangOpts().ObjCAutoRefCount && inferObjCARCLifetime(VDecl)) 12186 VDecl->setInvalidDecl(); 12187 12188 if (getLangOpts().OpenCL) 12189 deduceOpenCLAddressSpace(VDecl); 12190 12191 // If this is a redeclaration, check that the type we just deduced matches 12192 // the previously declared type. 12193 if (VarDecl *Old = VDecl->getPreviousDecl()) { 12194 // We never need to merge the type, because we cannot form an incomplete 12195 // array of auto, nor deduce such a type. 12196 MergeVarDeclTypes(VDecl, Old, /*MergeTypeWithPrevious*/ false); 12197 } 12198 12199 // Check the deduced type is valid for a variable declaration. 12200 CheckVariableDeclarationType(VDecl); 12201 return VDecl->isInvalidDecl(); 12202 } 12203 12204 void Sema::checkNonTrivialCUnionInInitializer(const Expr *Init, 12205 SourceLocation Loc) { 12206 if (auto *EWC = dyn_cast<ExprWithCleanups>(Init)) 12207 Init = EWC->getSubExpr(); 12208 12209 if (auto *CE = dyn_cast<ConstantExpr>(Init)) 12210 Init = CE->getSubExpr(); 12211 12212 QualType InitType = Init->getType(); 12213 assert((InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || 12214 InitType.hasNonTrivialToPrimitiveCopyCUnion()) && 12215 "shouldn't be called if type doesn't have a non-trivial C struct"); 12216 if (auto *ILE = dyn_cast<InitListExpr>(Init)) { 12217 for (auto I : ILE->inits()) { 12218 if (!I->getType().hasNonTrivialToPrimitiveDefaultInitializeCUnion() && 12219 !I->getType().hasNonTrivialToPrimitiveCopyCUnion()) 12220 continue; 12221 SourceLocation SL = I->getExprLoc(); 12222 checkNonTrivialCUnionInInitializer(I, SL.isValid() ? SL : Loc); 12223 } 12224 return; 12225 } 12226 12227 if (isa<ImplicitValueInitExpr>(Init)) { 12228 if (InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion()) 12229 checkNonTrivialCUnion(InitType, Loc, NTCUC_DefaultInitializedObject, 12230 NTCUK_Init); 12231 } else { 12232 // Assume all other explicit initializers involving copying some existing 12233 // object. 12234 // TODO: ignore any explicit initializers where we can guarantee 12235 // copy-elision. 12236 if (InitType.hasNonTrivialToPrimitiveCopyCUnion()) 12237 checkNonTrivialCUnion(InitType, Loc, NTCUC_CopyInit, NTCUK_Copy); 12238 } 12239 } 12240 12241 namespace { 12242 12243 bool shouldIgnoreForRecordTriviality(const FieldDecl *FD) { 12244 // Ignore unavailable fields. A field can be marked as unavailable explicitly 12245 // in the source code or implicitly by the compiler if it is in a union 12246 // defined in a system header and has non-trivial ObjC ownership 12247 // qualifications. We don't want those fields to participate in determining 12248 // whether the containing union is non-trivial. 12249 return FD->hasAttr<UnavailableAttr>(); 12250 } 12251 12252 struct DiagNonTrivalCUnionDefaultInitializeVisitor 12253 : DefaultInitializedTypeVisitor<DiagNonTrivalCUnionDefaultInitializeVisitor, 12254 void> { 12255 using Super = 12256 DefaultInitializedTypeVisitor<DiagNonTrivalCUnionDefaultInitializeVisitor, 12257 void>; 12258 12259 DiagNonTrivalCUnionDefaultInitializeVisitor( 12260 QualType OrigTy, SourceLocation OrigLoc, 12261 Sema::NonTrivialCUnionContext UseContext, Sema &S) 12262 : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} 12263 12264 void visitWithKind(QualType::PrimitiveDefaultInitializeKind PDIK, QualType QT, 12265 const FieldDecl *FD, bool InNonTrivialUnion) { 12266 if (const auto *AT = S.Context.getAsArrayType(QT)) 12267 return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, 12268 InNonTrivialUnion); 12269 return Super::visitWithKind(PDIK, QT, FD, InNonTrivialUnion); 12270 } 12271 12272 void visitARCStrong(QualType QT, const FieldDecl *FD, 12273 bool InNonTrivialUnion) { 12274 if (InNonTrivialUnion) 12275 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12276 << 1 << 0 << QT << FD->getName(); 12277 } 12278 12279 void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12280 if (InNonTrivialUnion) 12281 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12282 << 1 << 0 << QT << FD->getName(); 12283 } 12284 12285 void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12286 const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); 12287 if (RD->isUnion()) { 12288 if (OrigLoc.isValid()) { 12289 bool IsUnion = false; 12290 if (auto *OrigRD = OrigTy->getAsRecordDecl()) 12291 IsUnion = OrigRD->isUnion(); 12292 S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) 12293 << 0 << OrigTy << IsUnion << UseContext; 12294 // Reset OrigLoc so that this diagnostic is emitted only once. 12295 OrigLoc = SourceLocation(); 12296 } 12297 InNonTrivialUnion = true; 12298 } 12299 12300 if (InNonTrivialUnion) 12301 S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) 12302 << 0 << 0 << QT.getUnqualifiedType() << ""; 12303 12304 for (const FieldDecl *FD : RD->fields()) 12305 if (!shouldIgnoreForRecordTriviality(FD)) 12306 asDerived().visit(FD->getType(), FD, InNonTrivialUnion); 12307 } 12308 12309 void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} 12310 12311 // The non-trivial C union type or the struct/union type that contains a 12312 // non-trivial C union. 12313 QualType OrigTy; 12314 SourceLocation OrigLoc; 12315 Sema::NonTrivialCUnionContext UseContext; 12316 Sema &S; 12317 }; 12318 12319 struct DiagNonTrivalCUnionDestructedTypeVisitor 12320 : DestructedTypeVisitor<DiagNonTrivalCUnionDestructedTypeVisitor, void> { 12321 using Super = 12322 DestructedTypeVisitor<DiagNonTrivalCUnionDestructedTypeVisitor, void>; 12323 12324 DiagNonTrivalCUnionDestructedTypeVisitor( 12325 QualType OrigTy, SourceLocation OrigLoc, 12326 Sema::NonTrivialCUnionContext UseContext, Sema &S) 12327 : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} 12328 12329 void visitWithKind(QualType::DestructionKind DK, QualType QT, 12330 const FieldDecl *FD, bool InNonTrivialUnion) { 12331 if (const auto *AT = S.Context.getAsArrayType(QT)) 12332 return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, 12333 InNonTrivialUnion); 12334 return Super::visitWithKind(DK, QT, FD, InNonTrivialUnion); 12335 } 12336 12337 void visitARCStrong(QualType QT, const FieldDecl *FD, 12338 bool InNonTrivialUnion) { 12339 if (InNonTrivialUnion) 12340 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12341 << 1 << 1 << QT << FD->getName(); 12342 } 12343 12344 void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12345 if (InNonTrivialUnion) 12346 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12347 << 1 << 1 << QT << FD->getName(); 12348 } 12349 12350 void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12351 const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); 12352 if (RD->isUnion()) { 12353 if (OrigLoc.isValid()) { 12354 bool IsUnion = false; 12355 if (auto *OrigRD = OrigTy->getAsRecordDecl()) 12356 IsUnion = OrigRD->isUnion(); 12357 S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) 12358 << 1 << OrigTy << IsUnion << UseContext; 12359 // Reset OrigLoc so that this diagnostic is emitted only once. 12360 OrigLoc = SourceLocation(); 12361 } 12362 InNonTrivialUnion = true; 12363 } 12364 12365 if (InNonTrivialUnion) 12366 S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) 12367 << 0 << 1 << QT.getUnqualifiedType() << ""; 12368 12369 for (const FieldDecl *FD : RD->fields()) 12370 if (!shouldIgnoreForRecordTriviality(FD)) 12371 asDerived().visit(FD->getType(), FD, InNonTrivialUnion); 12372 } 12373 12374 void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} 12375 void visitCXXDestructor(QualType QT, const FieldDecl *FD, 12376 bool InNonTrivialUnion) {} 12377 12378 // The non-trivial C union type or the struct/union type that contains a 12379 // non-trivial C union. 12380 QualType OrigTy; 12381 SourceLocation OrigLoc; 12382 Sema::NonTrivialCUnionContext UseContext; 12383 Sema &S; 12384 }; 12385 12386 struct DiagNonTrivalCUnionCopyVisitor 12387 : CopiedTypeVisitor<DiagNonTrivalCUnionCopyVisitor, false, void> { 12388 using Super = CopiedTypeVisitor<DiagNonTrivalCUnionCopyVisitor, false, void>; 12389 12390 DiagNonTrivalCUnionCopyVisitor(QualType OrigTy, SourceLocation OrigLoc, 12391 Sema::NonTrivialCUnionContext UseContext, 12392 Sema &S) 12393 : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} 12394 12395 void visitWithKind(QualType::PrimitiveCopyKind PCK, QualType QT, 12396 const FieldDecl *FD, bool InNonTrivialUnion) { 12397 if (const auto *AT = S.Context.getAsArrayType(QT)) 12398 return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, 12399 InNonTrivialUnion); 12400 return Super::visitWithKind(PCK, QT, FD, InNonTrivialUnion); 12401 } 12402 12403 void visitARCStrong(QualType QT, const FieldDecl *FD, 12404 bool InNonTrivialUnion) { 12405 if (InNonTrivialUnion) 12406 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12407 << 1 << 2 << QT << FD->getName(); 12408 } 12409 12410 void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12411 if (InNonTrivialUnion) 12412 S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) 12413 << 1 << 2 << QT << FD->getName(); 12414 } 12415 12416 void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { 12417 const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); 12418 if (RD->isUnion()) { 12419 if (OrigLoc.isValid()) { 12420 bool IsUnion = false; 12421 if (auto *OrigRD = OrigTy->getAsRecordDecl()) 12422 IsUnion = OrigRD->isUnion(); 12423 S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) 12424 << 2 << OrigTy << IsUnion << UseContext; 12425 // Reset OrigLoc so that this diagnostic is emitted only once. 12426 OrigLoc = SourceLocation(); 12427 } 12428 InNonTrivialUnion = true; 12429 } 12430 12431 if (InNonTrivialUnion) 12432 S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) 12433 << 0 << 2 << QT.getUnqualifiedType() << ""; 12434 12435 for (const FieldDecl *FD : RD->fields()) 12436 if (!shouldIgnoreForRecordTriviality(FD)) 12437 asDerived().visit(FD->getType(), FD, InNonTrivialUnion); 12438 } 12439 12440 void preVisit(QualType::PrimitiveCopyKind PCK, QualType QT, 12441 const FieldDecl *FD, bool InNonTrivialUnion) {} 12442 void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} 12443 void visitVolatileTrivial(QualType QT, const FieldDecl *FD, 12444 bool InNonTrivialUnion) {} 12445 12446 // The non-trivial C union type or the struct/union type that contains a 12447 // non-trivial C union. 12448 QualType OrigTy; 12449 SourceLocation OrigLoc; 12450 Sema::NonTrivialCUnionContext UseContext; 12451 Sema &S; 12452 }; 12453 12454 } // namespace 12455 12456 void Sema::checkNonTrivialCUnion(QualType QT, SourceLocation Loc, 12457 NonTrivialCUnionContext UseContext, 12458 unsigned NonTrivialKind) { 12459 assert((QT.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || 12460 QT.hasNonTrivialToPrimitiveDestructCUnion() || 12461 QT.hasNonTrivialToPrimitiveCopyCUnion()) && 12462 "shouldn't be called if type doesn't have a non-trivial C union"); 12463 12464 if ((NonTrivialKind & NTCUK_Init) && 12465 QT.hasNonTrivialToPrimitiveDefaultInitializeCUnion()) 12466 DiagNonTrivalCUnionDefaultInitializeVisitor(QT, Loc, UseContext, *this) 12467 .visit(QT, nullptr, false); 12468 if ((NonTrivialKind & NTCUK_Destruct) && 12469 QT.hasNonTrivialToPrimitiveDestructCUnion()) 12470 DiagNonTrivalCUnionDestructedTypeVisitor(QT, Loc, UseContext, *this) 12471 .visit(QT, nullptr, false); 12472 if ((NonTrivialKind & NTCUK_Copy) && QT.hasNonTrivialToPrimitiveCopyCUnion()) 12473 DiagNonTrivalCUnionCopyVisitor(QT, Loc, UseContext, *this) 12474 .visit(QT, nullptr, false); 12475 } 12476 12477 /// AddInitializerToDecl - Adds the initializer Init to the 12478 /// declaration dcl. If DirectInit is true, this is C++ direct 12479 /// initialization rather than copy initialization. 12480 void Sema::AddInitializerToDecl(Decl *RealDecl, Expr *Init, bool DirectInit) { 12481 // If there is no declaration, there was an error parsing it. Just ignore 12482 // the initializer. 12483 if (!RealDecl || RealDecl->isInvalidDecl()) { 12484 CorrectDelayedTyposInExpr(Init, dyn_cast_or_null<VarDecl>(RealDecl)); 12485 return; 12486 } 12487 12488 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(RealDecl)) { 12489 // Pure-specifiers are handled in ActOnPureSpecifier. 12490 Diag(Method->getLocation(), diag::err_member_function_initialization) 12491 << Method->getDeclName() << Init->getSourceRange(); 12492 Method->setInvalidDecl(); 12493 return; 12494 } 12495 12496 VarDecl *VDecl = dyn_cast<VarDecl>(RealDecl); 12497 if (!VDecl) { 12498 assert(!isa<FieldDecl>(RealDecl) && "field init shouldn't get here"); 12499 Diag(RealDecl->getLocation(), diag::err_illegal_initializer); 12500 RealDecl->setInvalidDecl(); 12501 return; 12502 } 12503 12504 // C++11 [decl.spec.auto]p6. Deduce the type which 'auto' stands in for. 12505 if (VDecl->getType()->isUndeducedType()) { 12506 // Attempt typo correction early so that the type of the init expression can 12507 // be deduced based on the chosen correction if the original init contains a 12508 // TypoExpr. 12509 ExprResult Res = CorrectDelayedTyposInExpr(Init, VDecl); 12510 if (!Res.isUsable()) { 12511 // There are unresolved typos in Init, just drop them. 12512 // FIXME: improve the recovery strategy to preserve the Init. 12513 RealDecl->setInvalidDecl(); 12514 return; 12515 } 12516 if (Res.get()->containsErrors()) { 12517 // Invalidate the decl as we don't know the type for recovery-expr yet. 12518 RealDecl->setInvalidDecl(); 12519 VDecl->setInit(Res.get()); 12520 return; 12521 } 12522 Init = Res.get(); 12523 12524 if (DeduceVariableDeclarationType(VDecl, DirectInit, Init)) 12525 return; 12526 } 12527 12528 // dllimport cannot be used on variable definitions. 12529 if (VDecl->hasAttr<DLLImportAttr>() && !VDecl->isStaticDataMember()) { 12530 Diag(VDecl->getLocation(), diag::err_attribute_dllimport_data_definition); 12531 VDecl->setInvalidDecl(); 12532 return; 12533 } 12534 12535 if (VDecl->isLocalVarDecl() && VDecl->hasExternalStorage()) { 12536 // C99 6.7.8p5. C++ has no such restriction, but that is a defect. 12537 Diag(VDecl->getLocation(), diag::err_block_extern_cant_init); 12538 VDecl->setInvalidDecl(); 12539 return; 12540 } 12541 12542 if (!VDecl->getType()->isDependentType()) { 12543 // A definition must end up with a complete type, which means it must be 12544 // complete with the restriction that an array type might be completed by 12545 // the initializer; note that later code assumes this restriction. 12546 QualType BaseDeclType = VDecl->getType(); 12547 if (const ArrayType *Array = Context.getAsIncompleteArrayType(BaseDeclType)) 12548 BaseDeclType = Array->getElementType(); 12549 if (RequireCompleteType(VDecl->getLocation(), BaseDeclType, 12550 diag::err_typecheck_decl_incomplete_type)) { 12551 RealDecl->setInvalidDecl(); 12552 return; 12553 } 12554 12555 // The variable can not have an abstract class type. 12556 if (RequireNonAbstractType(VDecl->getLocation(), VDecl->getType(), 12557 diag::err_abstract_type_in_decl, 12558 AbstractVariableType)) 12559 VDecl->setInvalidDecl(); 12560 } 12561 12562 // If adding the initializer will turn this declaration into a definition, 12563 // and we already have a definition for this variable, diagnose or otherwise 12564 // handle the situation. 12565 if (VarDecl *Def = VDecl->getDefinition()) 12566 if (Def != VDecl && 12567 (!VDecl->isStaticDataMember() || VDecl->isOutOfLine()) && 12568 !VDecl->isThisDeclarationADemotedDefinition() && 12569 checkVarDeclRedefinition(Def, VDecl)) 12570 return; 12571 12572 if (getLangOpts().CPlusPlus) { 12573 // C++ [class.static.data]p4 12574 // If a static data member is of const integral or const 12575 // enumeration type, its declaration in the class definition can 12576 // specify a constant-initializer which shall be an integral 12577 // constant expression (5.19). In that case, the member can appear 12578 // in integral constant expressions. The member shall still be 12579 // defined in a namespace scope if it is used in the program and the 12580 // namespace scope definition shall not contain an initializer. 12581 // 12582 // We already performed a redefinition check above, but for static 12583 // data members we also need to check whether there was an in-class 12584 // declaration with an initializer. 12585 if (VDecl->isStaticDataMember() && VDecl->getCanonicalDecl()->hasInit()) { 12586 Diag(Init->getExprLoc(), diag::err_static_data_member_reinitialization) 12587 << VDecl->getDeclName(); 12588 Diag(VDecl->getCanonicalDecl()->getInit()->getExprLoc(), 12589 diag::note_previous_initializer) 12590 << 0; 12591 return; 12592 } 12593 12594 if (VDecl->hasLocalStorage()) 12595 setFunctionHasBranchProtectedScope(); 12596 12597 if (DiagnoseUnexpandedParameterPack(Init, UPPC_Initializer)) { 12598 VDecl->setInvalidDecl(); 12599 return; 12600 } 12601 } 12602 12603 // OpenCL 1.1 6.5.2: "Variables allocated in the __local address space inside 12604 // a kernel function cannot be initialized." 12605 if (VDecl->getType().getAddressSpace() == LangAS::opencl_local) { 12606 Diag(VDecl->getLocation(), diag::err_local_cant_init); 12607 VDecl->setInvalidDecl(); 12608 return; 12609 } 12610 12611 // The LoaderUninitialized attribute acts as a definition (of undef). 12612 if (VDecl->hasAttr<LoaderUninitializedAttr>()) { 12613 Diag(VDecl->getLocation(), diag::err_loader_uninitialized_cant_init); 12614 VDecl->setInvalidDecl(); 12615 return; 12616 } 12617 12618 // Get the decls type and save a reference for later, since 12619 // CheckInitializerTypes may change it. 12620 QualType DclT = VDecl->getType(), SavT = DclT; 12621 12622 // Expressions default to 'id' when we're in a debugger 12623 // and we are assigning it to a variable of Objective-C pointer type. 12624 if (getLangOpts().DebuggerCastResultToId && DclT->isObjCObjectPointerType() && 12625 Init->getType() == Context.UnknownAnyTy) { 12626 ExprResult Result = forceUnknownAnyToType(Init, Context.getObjCIdType()); 12627 if (Result.isInvalid()) { 12628 VDecl->setInvalidDecl(); 12629 return; 12630 } 12631 Init = Result.get(); 12632 } 12633 12634 // Perform the initialization. 12635 ParenListExpr *CXXDirectInit = dyn_cast<ParenListExpr>(Init); 12636 if (!VDecl->isInvalidDecl()) { 12637 InitializedEntity Entity = InitializedEntity::InitializeVariable(VDecl); 12638 InitializationKind Kind = InitializationKind::CreateForInit( 12639 VDecl->getLocation(), DirectInit, Init); 12640 12641 MultiExprArg Args = Init; 12642 if (CXXDirectInit) 12643 Args = MultiExprArg(CXXDirectInit->getExprs(), 12644 CXXDirectInit->getNumExprs()); 12645 12646 // Try to correct any TypoExprs in the initialization arguments. 12647 for (size_t Idx = 0; Idx < Args.size(); ++Idx) { 12648 ExprResult Res = CorrectDelayedTyposInExpr( 12649 Args[Idx], VDecl, /*RecoverUncorrectedTypos=*/true, 12650 [this, Entity, Kind](Expr *E) { 12651 InitializationSequence Init(*this, Entity, Kind, MultiExprArg(E)); 12652 return Init.Failed() ? ExprError() : E; 12653 }); 12654 if (Res.isInvalid()) { 12655 VDecl->setInvalidDecl(); 12656 } else if (Res.get() != Args[Idx]) { 12657 Args[Idx] = Res.get(); 12658 } 12659 } 12660 if (VDecl->isInvalidDecl()) 12661 return; 12662 12663 InitializationSequence InitSeq(*this, Entity, Kind, Args, 12664 /*TopLevelOfInitList=*/false, 12665 /*TreatUnavailableAsInvalid=*/false); 12666 ExprResult Result = InitSeq.Perform(*this, Entity, Kind, Args, &DclT); 12667 if (Result.isInvalid()) { 12668 // If the provided initializer fails to initialize the var decl, 12669 // we attach a recovery expr for better recovery. 12670 auto RecoveryExpr = 12671 CreateRecoveryExpr(Init->getBeginLoc(), Init->getEndLoc(), Args); 12672 if (RecoveryExpr.get()) 12673 VDecl->setInit(RecoveryExpr.get()); 12674 return; 12675 } 12676 12677 Init = Result.getAs<Expr>(); 12678 } 12679 12680 // Check for self-references within variable initializers. 12681 // Variables declared within a function/method body (except for references) 12682 // are handled by a dataflow analysis. 12683 // This is undefined behavior in C++, but valid in C. 12684 if (getLangOpts().CPlusPlus) 12685 if (!VDecl->hasLocalStorage() || VDecl->getType()->isRecordType() || 12686 VDecl->getType()->isReferenceType()) 12687 CheckSelfReference(*this, RealDecl, Init, DirectInit); 12688 12689 // If the type changed, it means we had an incomplete type that was 12690 // completed by the initializer. For example: 12691 // int ary[] = { 1, 3, 5 }; 12692 // "ary" transitions from an IncompleteArrayType to a ConstantArrayType. 12693 if (!VDecl->isInvalidDecl() && (DclT != SavT)) 12694 VDecl->setType(DclT); 12695 12696 if (!VDecl->isInvalidDecl()) { 12697 checkUnsafeAssigns(VDecl->getLocation(), VDecl->getType(), Init); 12698 12699 if (VDecl->hasAttr<BlocksAttr>()) 12700 checkRetainCycles(VDecl, Init); 12701 12702 // It is safe to assign a weak reference into a strong variable. 12703 // Although this code can still have problems: 12704 // id x = self.weakProp; 12705 // id y = self.weakProp; 12706 // we do not warn to warn spuriously when 'x' and 'y' are on separate 12707 // paths through the function. This should be revisited if 12708 // -Wrepeated-use-of-weak is made flow-sensitive. 12709 if (FunctionScopeInfo *FSI = getCurFunction()) 12710 if ((VDecl->getType().getObjCLifetime() == Qualifiers::OCL_Strong || 12711 VDecl->getType().isNonWeakInMRRWithObjCWeak(Context)) && 12712 !Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, 12713 Init->getBeginLoc())) 12714 FSI->markSafeWeakUse(Init); 12715 } 12716 12717 // The initialization is usually a full-expression. 12718 // 12719 // FIXME: If this is a braced initialization of an aggregate, it is not 12720 // an expression, and each individual field initializer is a separate 12721 // full-expression. For instance, in: 12722 // 12723 // struct Temp { ~Temp(); }; 12724 // struct S { S(Temp); }; 12725 // struct T { S a, b; } t = { Temp(), Temp() } 12726 // 12727 // we should destroy the first Temp before constructing the second. 12728 ExprResult Result = 12729 ActOnFinishFullExpr(Init, VDecl->getLocation(), 12730 /*DiscardedValue*/ false, VDecl->isConstexpr()); 12731 if (Result.isInvalid()) { 12732 VDecl->setInvalidDecl(); 12733 return; 12734 } 12735 Init = Result.get(); 12736 12737 // Attach the initializer to the decl. 12738 VDecl->setInit(Init); 12739 12740 if (VDecl->isLocalVarDecl()) { 12741 // Don't check the initializer if the declaration is malformed. 12742 if (VDecl->isInvalidDecl()) { 12743 // do nothing 12744 12745 // OpenCL v1.2 s6.5.3: __constant locals must be constant-initialized. 12746 // This is true even in C++ for OpenCL. 12747 } else if (VDecl->getType().getAddressSpace() == LangAS::opencl_constant) { 12748 CheckForConstantInitializer(Init, DclT); 12749 12750 // Otherwise, C++ does not restrict the initializer. 12751 } else if (getLangOpts().CPlusPlus) { 12752 // do nothing 12753 12754 // C99 6.7.8p4: All the expressions in an initializer for an object that has 12755 // static storage duration shall be constant expressions or string literals. 12756 } else if (VDecl->getStorageClass() == SC_Static) { 12757 CheckForConstantInitializer(Init, DclT); 12758 12759 // C89 is stricter than C99 for aggregate initializers. 12760 // C89 6.5.7p3: All the expressions [...] in an initializer list 12761 // for an object that has aggregate or union type shall be 12762 // constant expressions. 12763 } else if (!getLangOpts().C99 && VDecl->getType()->isAggregateType() && 12764 isa<InitListExpr>(Init)) { 12765 const Expr *Culprit; 12766 if (!Init->isConstantInitializer(Context, false, &Culprit)) { 12767 Diag(Culprit->getExprLoc(), 12768 diag::ext_aggregate_init_not_constant) 12769 << Culprit->getSourceRange(); 12770 } 12771 } 12772 12773 if (auto *E = dyn_cast<ExprWithCleanups>(Init)) 12774 if (auto *BE = dyn_cast<BlockExpr>(E->getSubExpr()->IgnoreParens())) 12775 if (VDecl->hasLocalStorage()) 12776 BE->getBlockDecl()->setCanAvoidCopyToHeap(); 12777 } else if (VDecl->isStaticDataMember() && !VDecl->isInline() && 12778 VDecl->getLexicalDeclContext()->isRecord()) { 12779 // This is an in-class initialization for a static data member, e.g., 12780 // 12781 // struct S { 12782 // static const int value = 17; 12783 // }; 12784 12785 // C++ [class.mem]p4: 12786 // A member-declarator can contain a constant-initializer only 12787 // if it declares a static member (9.4) of const integral or 12788 // const enumeration type, see 9.4.2. 12789 // 12790 // C++11 [class.static.data]p3: 12791 // If a non-volatile non-inline const static data member is of integral 12792 // or enumeration type, its declaration in the class definition can 12793 // specify a brace-or-equal-initializer in which every initializer-clause 12794 // that is an assignment-expression is a constant expression. A static 12795 // data member of literal type can be declared in the class definition 12796 // with the constexpr specifier; if so, its declaration shall specify a 12797 // brace-or-equal-initializer in which every initializer-clause that is 12798 // an assignment-expression is a constant expression. 12799 12800 // Do nothing on dependent types. 12801 if (DclT->isDependentType()) { 12802 12803 // Allow any 'static constexpr' members, whether or not they are of literal 12804 // type. We separately check that every constexpr variable is of literal 12805 // type. 12806 } else if (VDecl->isConstexpr()) { 12807 12808 // Require constness. 12809 } else if (!DclT.isConstQualified()) { 12810 Diag(VDecl->getLocation(), diag::err_in_class_initializer_non_const) 12811 << Init->getSourceRange(); 12812 VDecl->setInvalidDecl(); 12813 12814 // We allow integer constant expressions in all cases. 12815 } else if (DclT->isIntegralOrEnumerationType()) { 12816 // Check whether the expression is a constant expression. 12817 SourceLocation Loc; 12818 if (getLangOpts().CPlusPlus11 && DclT.isVolatileQualified()) 12819 // In C++11, a non-constexpr const static data member with an 12820 // in-class initializer cannot be volatile. 12821 Diag(VDecl->getLocation(), diag::err_in_class_initializer_volatile); 12822 else if (Init->isValueDependent()) 12823 ; // Nothing to check. 12824 else if (Init->isIntegerConstantExpr(Context, &Loc)) 12825 ; // Ok, it's an ICE! 12826 else if (Init->getType()->isScopedEnumeralType() && 12827 Init->isCXX11ConstantExpr(Context)) 12828 ; // Ok, it is a scoped-enum constant expression. 12829 else if (Init->isEvaluatable(Context)) { 12830 // If we can constant fold the initializer through heroics, accept it, 12831 // but report this as a use of an extension for -pedantic. 12832 Diag(Loc, diag::ext_in_class_initializer_non_constant) 12833 << Init->getSourceRange(); 12834 } else { 12835 // Otherwise, this is some crazy unknown case. Report the issue at the 12836 // location provided by the isIntegerConstantExpr failed check. 12837 Diag(Loc, diag::err_in_class_initializer_non_constant) 12838 << Init->getSourceRange(); 12839 VDecl->setInvalidDecl(); 12840 } 12841 12842 // We allow foldable floating-point constants as an extension. 12843 } else if (DclT->isFloatingType()) { // also permits complex, which is ok 12844 // In C++98, this is a GNU extension. In C++11, it is not, but we support 12845 // it anyway and provide a fixit to add the 'constexpr'. 12846 if (getLangOpts().CPlusPlus11) { 12847 Diag(VDecl->getLocation(), 12848 diag::ext_in_class_initializer_float_type_cxx11) 12849 << DclT << Init->getSourceRange(); 12850 Diag(VDecl->getBeginLoc(), 12851 diag::note_in_class_initializer_float_type_cxx11) 12852 << FixItHint::CreateInsertion(VDecl->getBeginLoc(), "constexpr "); 12853 } else { 12854 Diag(VDecl->getLocation(), diag::ext_in_class_initializer_float_type) 12855 << DclT << Init->getSourceRange(); 12856 12857 if (!Init->isValueDependent() && !Init->isEvaluatable(Context)) { 12858 Diag(Init->getExprLoc(), diag::err_in_class_initializer_non_constant) 12859 << Init->getSourceRange(); 12860 VDecl->setInvalidDecl(); 12861 } 12862 } 12863 12864 // Suggest adding 'constexpr' in C++11 for literal types. 12865 } else if (getLangOpts().CPlusPlus11 && DclT->isLiteralType(Context)) { 12866 Diag(VDecl->getLocation(), diag::err_in_class_initializer_literal_type) 12867 << DclT << Init->getSourceRange() 12868 << FixItHint::CreateInsertion(VDecl->getBeginLoc(), "constexpr "); 12869 VDecl->setConstexpr(true); 12870 12871 } else { 12872 Diag(VDecl->getLocation(), diag::err_in_class_initializer_bad_type) 12873 << DclT << Init->getSourceRange(); 12874 VDecl->setInvalidDecl(); 12875 } 12876 } else if (VDecl->isFileVarDecl()) { 12877 // In C, extern is typically used to avoid tentative definitions when 12878 // declaring variables in headers, but adding an intializer makes it a 12879 // definition. This is somewhat confusing, so GCC and Clang both warn on it. 12880 // In C++, extern is often used to give implictly static const variables 12881 // external linkage, so don't warn in that case. If selectany is present, 12882 // this might be header code intended for C and C++ inclusion, so apply the 12883 // C++ rules. 12884 if (VDecl->getStorageClass() == SC_Extern && 12885 ((!getLangOpts().CPlusPlus && !VDecl->hasAttr<SelectAnyAttr>()) || 12886 !Context.getBaseElementType(VDecl->getType()).isConstQualified()) && 12887 !(getLangOpts().CPlusPlus && VDecl->isExternC()) && 12888 !isTemplateInstantiation(VDecl->getTemplateSpecializationKind())) 12889 Diag(VDecl->getLocation(), diag::warn_extern_init); 12890 12891 // In Microsoft C++ mode, a const variable defined in namespace scope has 12892 // external linkage by default if the variable is declared with 12893 // __declspec(dllexport). 12894 if (Context.getTargetInfo().getCXXABI().isMicrosoft() && 12895 getLangOpts().CPlusPlus && VDecl->getType().isConstQualified() && 12896 VDecl->hasAttr<DLLExportAttr>() && VDecl->getDefinition()) 12897 VDecl->setStorageClass(SC_Extern); 12898 12899 // C99 6.7.8p4. All file scoped initializers need to be constant. 12900 if (!getLangOpts().CPlusPlus && !VDecl->isInvalidDecl()) 12901 CheckForConstantInitializer(Init, DclT); 12902 } 12903 12904 QualType InitType = Init->getType(); 12905 if (!InitType.isNull() && 12906 (InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || 12907 InitType.hasNonTrivialToPrimitiveCopyCUnion())) 12908 checkNonTrivialCUnionInInitializer(Init, Init->getExprLoc()); 12909 12910 // We will represent direct-initialization similarly to copy-initialization: 12911 // int x(1); -as-> int x = 1; 12912 // ClassType x(a,b,c); -as-> ClassType x = ClassType(a,b,c); 12913 // 12914 // Clients that want to distinguish between the two forms, can check for 12915 // direct initializer using VarDecl::getInitStyle(). 12916 // A major benefit is that clients that don't particularly care about which 12917 // exactly form was it (like the CodeGen) can handle both cases without 12918 // special case code. 12919 12920 // C++ 8.5p11: 12921 // The form of initialization (using parentheses or '=') is generally 12922 // insignificant, but does matter when the entity being initialized has a 12923 // class type. 12924 if (CXXDirectInit) { 12925 assert(DirectInit && "Call-style initializer must be direct init."); 12926 VDecl->setInitStyle(VarDecl::CallInit); 12927 } else if (DirectInit) { 12928 // This must be list-initialization. No other way is direct-initialization. 12929 VDecl->setInitStyle(VarDecl::ListInit); 12930 } 12931 12932 if (LangOpts.OpenMP && 12933 (LangOpts.OpenMPIsDevice || !LangOpts.OMPTargetTriples.empty()) && 12934 VDecl->isFileVarDecl()) 12935 DeclsToCheckForDeferredDiags.insert(VDecl); 12936 CheckCompleteVariableDeclaration(VDecl); 12937 } 12938 12939 /// ActOnInitializerError - Given that there was an error parsing an 12940 /// initializer for the given declaration, try to at least re-establish 12941 /// invariants such as whether a variable's type is either dependent or 12942 /// complete. 12943 void Sema::ActOnInitializerError(Decl *D) { 12944 // Our main concern here is re-establishing invariants like "a 12945 // variable's type is either dependent or complete". 12946 if (!D || D->isInvalidDecl()) return; 12947 12948 VarDecl *VD = dyn_cast<VarDecl>(D); 12949 if (!VD) return; 12950 12951 // Bindings are not usable if we can't make sense of the initializer. 12952 if (auto *DD = dyn_cast<DecompositionDecl>(D)) 12953 for (auto *BD : DD->bindings()) 12954 BD->setInvalidDecl(); 12955 12956 // Auto types are meaningless if we can't make sense of the initializer. 12957 if (VD->getType()->isUndeducedType()) { 12958 D->setInvalidDecl(); 12959 return; 12960 } 12961 12962 QualType Ty = VD->getType(); 12963 if (Ty->isDependentType()) return; 12964 12965 // Require a complete type. 12966 if (RequireCompleteType(VD->getLocation(), 12967 Context.getBaseElementType(Ty), 12968 diag::err_typecheck_decl_incomplete_type)) { 12969 VD->setInvalidDecl(); 12970 return; 12971 } 12972 12973 // Require a non-abstract type. 12974 if (RequireNonAbstractType(VD->getLocation(), Ty, 12975 diag::err_abstract_type_in_decl, 12976 AbstractVariableType)) { 12977 VD->setInvalidDecl(); 12978 return; 12979 } 12980 12981 // Don't bother complaining about constructors or destructors, 12982 // though. 12983 } 12984 12985 void Sema::ActOnUninitializedDecl(Decl *RealDecl) { 12986 // If there is no declaration, there was an error parsing it. Just ignore it. 12987 if (!RealDecl) 12988 return; 12989 12990 if (VarDecl *Var = dyn_cast<VarDecl>(RealDecl)) { 12991 QualType Type = Var->getType(); 12992 12993 // C++1z [dcl.dcl]p1 grammar implies that an initializer is mandatory. 12994 if (isa<DecompositionDecl>(RealDecl)) { 12995 Diag(Var->getLocation(), diag::err_decomp_decl_requires_init) << Var; 12996 Var->setInvalidDecl(); 12997 return; 12998 } 12999 13000 if (Type->isUndeducedType() && 13001 DeduceVariableDeclarationType(Var, false, nullptr)) 13002 return; 13003 13004 // C++11 [class.static.data]p3: A static data member can be declared with 13005 // the constexpr specifier; if so, its declaration shall specify 13006 // a brace-or-equal-initializer. 13007 // C++11 [dcl.constexpr]p1: The constexpr specifier shall be applied only to 13008 // the definition of a variable [...] or the declaration of a static data 13009 // member. 13010 if (Var->isConstexpr() && !Var->isThisDeclarationADefinition() && 13011 !Var->isThisDeclarationADemotedDefinition()) { 13012 if (Var->isStaticDataMember()) { 13013 // C++1z removes the relevant rule; the in-class declaration is always 13014 // a definition there. 13015 if (!getLangOpts().CPlusPlus17 && 13016 !Context.getTargetInfo().getCXXABI().isMicrosoft()) { 13017 Diag(Var->getLocation(), 13018 diag::err_constexpr_static_mem_var_requires_init) 13019 << Var; 13020 Var->setInvalidDecl(); 13021 return; 13022 } 13023 } else { 13024 Diag(Var->getLocation(), diag::err_invalid_constexpr_var_decl); 13025 Var->setInvalidDecl(); 13026 return; 13027 } 13028 } 13029 13030 // OpenCL v1.1 s6.5.3: variables declared in the constant address space must 13031 // be initialized. 13032 if (!Var->isInvalidDecl() && 13033 Var->getType().getAddressSpace() == LangAS::opencl_constant && 13034 Var->getStorageClass() != SC_Extern && !Var->getInit()) { 13035 bool HasConstExprDefaultConstructor = false; 13036 if (CXXRecordDecl *RD = Var->getType()->getAsCXXRecordDecl()) { 13037 for (auto *Ctor : RD->ctors()) { 13038 if (Ctor->isConstexpr() && Ctor->getNumParams() == 0 && 13039 Ctor->getMethodQualifiers().getAddressSpace() == 13040 LangAS::opencl_constant) { 13041 HasConstExprDefaultConstructor = true; 13042 } 13043 } 13044 } 13045 if (!HasConstExprDefaultConstructor) { 13046 Diag(Var->getLocation(), diag::err_opencl_constant_no_init); 13047 Var->setInvalidDecl(); 13048 return; 13049 } 13050 } 13051 13052 if (!Var->isInvalidDecl() && RealDecl->hasAttr<LoaderUninitializedAttr>()) { 13053 if (Var->getStorageClass() == SC_Extern) { 13054 Diag(Var->getLocation(), diag::err_loader_uninitialized_extern_decl) 13055 << Var; 13056 Var->setInvalidDecl(); 13057 return; 13058 } 13059 if (RequireCompleteType(Var->getLocation(), Var->getType(), 13060 diag::err_typecheck_decl_incomplete_type)) { 13061 Var->setInvalidDecl(); 13062 return; 13063 } 13064 if (CXXRecordDecl *RD = Var->getType()->getAsCXXRecordDecl()) { 13065 if (!RD->hasTrivialDefaultConstructor()) { 13066 Diag(Var->getLocation(), diag::err_loader_uninitialized_trivial_ctor); 13067 Var->setInvalidDecl(); 13068 return; 13069 } 13070 } 13071 // The declaration is unitialized, no need for further checks. 13072 return; 13073 } 13074 13075 VarDecl::DefinitionKind DefKind = Var->isThisDeclarationADefinition(); 13076 if (!Var->isInvalidDecl() && DefKind != VarDecl::DeclarationOnly && 13077 Var->getType().hasNonTrivialToPrimitiveDefaultInitializeCUnion()) 13078 checkNonTrivialCUnion(Var->getType(), Var->getLocation(), 13079 NTCUC_DefaultInitializedObject, NTCUK_Init); 13080 13081 13082 switch (DefKind) { 13083 case VarDecl::Definition: 13084 if (!Var->isStaticDataMember() || !Var->getAnyInitializer()) 13085 break; 13086 13087 // We have an out-of-line definition of a static data member 13088 // that has an in-class initializer, so we type-check this like 13089 // a declaration. 13090 // 13091 LLVM_FALLTHROUGH; 13092 13093 case VarDecl::DeclarationOnly: 13094 // It's only a declaration. 13095 13096 // Block scope. C99 6.7p7: If an identifier for an object is 13097 // declared with no linkage (C99 6.2.2p6), the type for the 13098 // object shall be complete. 13099 if (!Type->isDependentType() && Var->isLocalVarDecl() && 13100 !Var->hasLinkage() && !Var->isInvalidDecl() && 13101 RequireCompleteType(Var->getLocation(), Type, 13102 diag::err_typecheck_decl_incomplete_type)) 13103 Var->setInvalidDecl(); 13104 13105 // Make sure that the type is not abstract. 13106 if (!Type->isDependentType() && !Var->isInvalidDecl() && 13107 RequireNonAbstractType(Var->getLocation(), Type, 13108 diag::err_abstract_type_in_decl, 13109 AbstractVariableType)) 13110 Var->setInvalidDecl(); 13111 if (!Type->isDependentType() && !Var->isInvalidDecl() && 13112 Var->getStorageClass() == SC_PrivateExtern) { 13113 Diag(Var->getLocation(), diag::warn_private_extern); 13114 Diag(Var->getLocation(), diag::note_private_extern); 13115 } 13116 13117 if (Context.getTargetInfo().allowDebugInfoForExternalRef() && 13118 !Var->isInvalidDecl() && !getLangOpts().CPlusPlus) 13119 ExternalDeclarations.push_back(Var); 13120 13121 return; 13122 13123 case VarDecl::TentativeDefinition: 13124 // File scope. C99 6.9.2p2: A declaration of an identifier for an 13125 // object that has file scope without an initializer, and without a 13126 // storage-class specifier or with the storage-class specifier "static", 13127 // constitutes a tentative definition. Note: A tentative definition with 13128 // external linkage is valid (C99 6.2.2p5). 13129 if (!Var->isInvalidDecl()) { 13130 if (const IncompleteArrayType *ArrayT 13131 = Context.getAsIncompleteArrayType(Type)) { 13132 if (RequireCompleteSizedType( 13133 Var->getLocation(), ArrayT->getElementType(), 13134 diag::err_array_incomplete_or_sizeless_type)) 13135 Var->setInvalidDecl(); 13136 } else if (Var->getStorageClass() == SC_Static) { 13137 // C99 6.9.2p3: If the declaration of an identifier for an object is 13138 // a tentative definition and has internal linkage (C99 6.2.2p3), the 13139 // declared type shall not be an incomplete type. 13140 // NOTE: code such as the following 13141 // static struct s; 13142 // struct s { int a; }; 13143 // is accepted by gcc. Hence here we issue a warning instead of 13144 // an error and we do not invalidate the static declaration. 13145 // NOTE: to avoid multiple warnings, only check the first declaration. 13146 if (Var->isFirstDecl()) 13147 RequireCompleteType(Var->getLocation(), Type, 13148 diag::ext_typecheck_decl_incomplete_type); 13149 } 13150 } 13151 13152 // Record the tentative definition; we're done. 13153 if (!Var->isInvalidDecl()) 13154 TentativeDefinitions.push_back(Var); 13155 return; 13156 } 13157 13158 // Provide a specific diagnostic for uninitialized variable 13159 // definitions with incomplete array type. 13160 if (Type->isIncompleteArrayType()) { 13161 Diag(Var->getLocation(), 13162 diag::err_typecheck_incomplete_array_needs_initializer); 13163 Var->setInvalidDecl(); 13164 return; 13165 } 13166 13167 // Provide a specific diagnostic for uninitialized variable 13168 // definitions with reference type. 13169 if (Type->isReferenceType()) { 13170 Diag(Var->getLocation(), diag::err_reference_var_requires_init) 13171 << Var << SourceRange(Var->getLocation(), Var->getLocation()); 13172 return; 13173 } 13174 13175 // Do not attempt to type-check the default initializer for a 13176 // variable with dependent type. 13177 if (Type->isDependentType()) 13178 return; 13179 13180 if (Var->isInvalidDecl()) 13181 return; 13182 13183 if (!Var->hasAttr<AliasAttr>()) { 13184 if (RequireCompleteType(Var->getLocation(), 13185 Context.getBaseElementType(Type), 13186 diag::err_typecheck_decl_incomplete_type)) { 13187 Var->setInvalidDecl(); 13188 return; 13189 } 13190 } else { 13191 return; 13192 } 13193 13194 // The variable can not have an abstract class type. 13195 if (RequireNonAbstractType(Var->getLocation(), Type, 13196 diag::err_abstract_type_in_decl, 13197 AbstractVariableType)) { 13198 Var->setInvalidDecl(); 13199 return; 13200 } 13201 13202 // Check for jumps past the implicit initializer. C++0x 13203 // clarifies that this applies to a "variable with automatic 13204 // storage duration", not a "local variable". 13205 // C++11 [stmt.dcl]p3 13206 // A program that jumps from a point where a variable with automatic 13207 // storage duration is not in scope to a point where it is in scope is 13208 // ill-formed unless the variable has scalar type, class type with a 13209 // trivial default constructor and a trivial destructor, a cv-qualified 13210 // version of one of these types, or an array of one of the preceding 13211 // types and is declared without an initializer. 13212 if (getLangOpts().CPlusPlus && Var->hasLocalStorage()) { 13213 if (const RecordType *Record 13214 = Context.getBaseElementType(Type)->getAs<RecordType>()) { 13215 CXXRecordDecl *CXXRecord = cast<CXXRecordDecl>(Record->getDecl()); 13216 // Mark the function (if we're in one) for further checking even if the 13217 // looser rules of C++11 do not require such checks, so that we can 13218 // diagnose incompatibilities with C++98. 13219 if (!CXXRecord->isPOD()) 13220 setFunctionHasBranchProtectedScope(); 13221 } 13222 } 13223 // In OpenCL, we can't initialize objects in the __local address space, 13224 // even implicitly, so don't synthesize an implicit initializer. 13225 if (getLangOpts().OpenCL && 13226 Var->getType().getAddressSpace() == LangAS::opencl_local) 13227 return; 13228 // C++03 [dcl.init]p9: 13229 // If no initializer is specified for an object, and the 13230 // object is of (possibly cv-qualified) non-POD class type (or 13231 // array thereof), the object shall be default-initialized; if 13232 // the object is of const-qualified type, the underlying class 13233 // type shall have a user-declared default 13234 // constructor. Otherwise, if no initializer is specified for 13235 // a non- static object, the object and its subobjects, if 13236 // any, have an indeterminate initial value); if the object 13237 // or any of its subobjects are of const-qualified type, the 13238 // program is ill-formed. 13239 // C++0x [dcl.init]p11: 13240 // If no initializer is specified for an object, the object is 13241 // default-initialized; [...]. 13242 InitializedEntity Entity = InitializedEntity::InitializeVariable(Var); 13243 InitializationKind Kind 13244 = InitializationKind::CreateDefault(Var->getLocation()); 13245 13246 InitializationSequence InitSeq(*this, Entity, Kind, None); 13247 ExprResult Init = InitSeq.Perform(*this, Entity, Kind, None); 13248 13249 if (Init.get()) { 13250 Var->setInit(MaybeCreateExprWithCleanups(Init.get())); 13251 // This is important for template substitution. 13252 Var->setInitStyle(VarDecl::CallInit); 13253 } else if (Init.isInvalid()) { 13254 // If default-init fails, attach a recovery-expr initializer to track 13255 // that initialization was attempted and failed. 13256 auto RecoveryExpr = 13257 CreateRecoveryExpr(Var->getLocation(), Var->getLocation(), {}); 13258 if (RecoveryExpr.get()) 13259 Var->setInit(RecoveryExpr.get()); 13260 } 13261 13262 CheckCompleteVariableDeclaration(Var); 13263 } 13264 } 13265 13266 void Sema::ActOnCXXForRangeDecl(Decl *D) { 13267 // If there is no declaration, there was an error parsing it. Ignore it. 13268 if (!D) 13269 return; 13270 13271 VarDecl *VD = dyn_cast<VarDecl>(D); 13272 if (!VD) { 13273 Diag(D->getLocation(), diag::err_for_range_decl_must_be_var); 13274 D->setInvalidDecl(); 13275 return; 13276 } 13277 13278 VD->setCXXForRangeDecl(true); 13279 13280 // for-range-declaration cannot be given a storage class specifier. 13281 int Error = -1; 13282 switch (VD->getStorageClass()) { 13283 case SC_None: 13284 break; 13285 case SC_Extern: 13286 Error = 0; 13287 break; 13288 case SC_Static: 13289 Error = 1; 13290 break; 13291 case SC_PrivateExtern: 13292 Error = 2; 13293 break; 13294 case SC_Auto: 13295 Error = 3; 13296 break; 13297 case SC_Register: 13298 Error = 4; 13299 break; 13300 } 13301 13302 // for-range-declaration cannot be given a storage class specifier con't. 13303 switch (VD->getTSCSpec()) { 13304 case TSCS_thread_local: 13305 Error = 6; 13306 break; 13307 case TSCS___thread: 13308 case TSCS__Thread_local: 13309 case TSCS_unspecified: 13310 break; 13311 } 13312 13313 if (Error != -1) { 13314 Diag(VD->getOuterLocStart(), diag::err_for_range_storage_class) 13315 << VD << Error; 13316 D->setInvalidDecl(); 13317 } 13318 } 13319 13320 StmtResult Sema::ActOnCXXForRangeIdentifier(Scope *S, SourceLocation IdentLoc, 13321 IdentifierInfo *Ident, 13322 ParsedAttributes &Attrs) { 13323 // C++1y [stmt.iter]p1: 13324 // A range-based for statement of the form 13325 // for ( for-range-identifier : for-range-initializer ) statement 13326 // is equivalent to 13327 // for ( auto&& for-range-identifier : for-range-initializer ) statement 13328 DeclSpec DS(Attrs.getPool().getFactory()); 13329 13330 const char *PrevSpec; 13331 unsigned DiagID; 13332 DS.SetTypeSpecType(DeclSpec::TST_auto, IdentLoc, PrevSpec, DiagID, 13333 getPrintingPolicy()); 13334 13335 Declarator D(DS, DeclaratorContext::ForInit); 13336 D.SetIdentifier(Ident, IdentLoc); 13337 D.takeAttributes(Attrs); 13338 13339 D.AddTypeInfo(DeclaratorChunk::getReference(0, IdentLoc, /*lvalue*/ false), 13340 IdentLoc); 13341 Decl *Var = ActOnDeclarator(S, D); 13342 cast<VarDecl>(Var)->setCXXForRangeDecl(true); 13343 FinalizeDeclaration(Var); 13344 return ActOnDeclStmt(FinalizeDeclaratorGroup(S, DS, Var), IdentLoc, 13345 Attrs.Range.getEnd().isValid() ? Attrs.Range.getEnd() 13346 : IdentLoc); 13347 } 13348 13349 void Sema::CheckCompleteVariableDeclaration(VarDecl *var) { 13350 if (var->isInvalidDecl()) return; 13351 13352 MaybeAddCUDAConstantAttr(var); 13353 13354 if (getLangOpts().OpenCL) { 13355 // OpenCL v2.0 s6.12.5 - Every block variable declaration must have an 13356 // initialiser 13357 if (var->getTypeSourceInfo()->getType()->isBlockPointerType() && 13358 !var->hasInit()) { 13359 Diag(var->getLocation(), diag::err_opencl_invalid_block_declaration) 13360 << 1 /*Init*/; 13361 var->setInvalidDecl(); 13362 return; 13363 } 13364 } 13365 13366 // In Objective-C, don't allow jumps past the implicit initialization of a 13367 // local retaining variable. 13368 if (getLangOpts().ObjC && 13369 var->hasLocalStorage()) { 13370 switch (var->getType().getObjCLifetime()) { 13371 case Qualifiers::OCL_None: 13372 case Qualifiers::OCL_ExplicitNone: 13373 case Qualifiers::OCL_Autoreleasing: 13374 break; 13375 13376 case Qualifiers::OCL_Weak: 13377 case Qualifiers::OCL_Strong: 13378 setFunctionHasBranchProtectedScope(); 13379 break; 13380 } 13381 } 13382 13383 if (var->hasLocalStorage() && 13384 var->getType().isDestructedType() == QualType::DK_nontrivial_c_struct) 13385 setFunctionHasBranchProtectedScope(); 13386 13387 // Warn about externally-visible variables being defined without a 13388 // prior declaration. We only want to do this for global 13389 // declarations, but we also specifically need to avoid doing it for 13390 // class members because the linkage of an anonymous class can 13391 // change if it's later given a typedef name. 13392 if (var->isThisDeclarationADefinition() && 13393 var->getDeclContext()->getRedeclContext()->isFileContext() && 13394 var->isExternallyVisible() && var->hasLinkage() && 13395 !var->isInline() && !var->getDescribedVarTemplate() && 13396 !isa<VarTemplatePartialSpecializationDecl>(var) && 13397 !isTemplateInstantiation(var->getTemplateSpecializationKind()) && 13398 !getDiagnostics().isIgnored(diag::warn_missing_variable_declarations, 13399 var->getLocation())) { 13400 // Find a previous declaration that's not a definition. 13401 VarDecl *prev = var->getPreviousDecl(); 13402 while (prev && prev->isThisDeclarationADefinition()) 13403 prev = prev->getPreviousDecl(); 13404 13405 if (!prev) { 13406 Diag(var->getLocation(), diag::warn_missing_variable_declarations) << var; 13407 Diag(var->getTypeSpecStartLoc(), diag::note_static_for_internal_linkage) 13408 << /* variable */ 0; 13409 } 13410 } 13411 13412 // Cache the result of checking for constant initialization. 13413 Optional<bool> CacheHasConstInit; 13414 const Expr *CacheCulprit = nullptr; 13415 auto checkConstInit = [&]() mutable { 13416 if (!CacheHasConstInit) 13417 CacheHasConstInit = var->getInit()->isConstantInitializer( 13418 Context, var->getType()->isReferenceType(), &CacheCulprit); 13419 return *CacheHasConstInit; 13420 }; 13421 13422 if (var->getTLSKind() == VarDecl::TLS_Static) { 13423 if (var->getType().isDestructedType()) { 13424 // GNU C++98 edits for __thread, [basic.start.term]p3: 13425 // The type of an object with thread storage duration shall not 13426 // have a non-trivial destructor. 13427 Diag(var->getLocation(), diag::err_thread_nontrivial_dtor); 13428 if (getLangOpts().CPlusPlus11) 13429 Diag(var->getLocation(), diag::note_use_thread_local); 13430 } else if (getLangOpts().CPlusPlus && var->hasInit()) { 13431 if (!checkConstInit()) { 13432 // GNU C++98 edits for __thread, [basic.start.init]p4: 13433 // An object of thread storage duration shall not require dynamic 13434 // initialization. 13435 // FIXME: Need strict checking here. 13436 Diag(CacheCulprit->getExprLoc(), diag::err_thread_dynamic_init) 13437 << CacheCulprit->getSourceRange(); 13438 if (getLangOpts().CPlusPlus11) 13439 Diag(var->getLocation(), diag::note_use_thread_local); 13440 } 13441 } 13442 } 13443 13444 13445 if (!var->getType()->isStructureType() && var->hasInit() && 13446 isa<InitListExpr>(var->getInit())) { 13447 const auto *ILE = cast<InitListExpr>(var->getInit()); 13448 unsigned NumInits = ILE->getNumInits(); 13449 if (NumInits > 2) 13450 for (unsigned I = 0; I < NumInits; ++I) { 13451 const auto *Init = ILE->getInit(I); 13452 if (!Init) 13453 break; 13454 const auto *SL = dyn_cast<StringLiteral>(Init->IgnoreImpCasts()); 13455 if (!SL) 13456 break; 13457 13458 unsigned NumConcat = SL->getNumConcatenated(); 13459 // Diagnose missing comma in string array initialization. 13460 // Do not warn when all the elements in the initializer are concatenated 13461 // together. Do not warn for macros too. 13462 if (NumConcat == 2 && !SL->getBeginLoc().isMacroID()) { 13463 bool OnlyOneMissingComma = true; 13464 for (unsigned J = I + 1; J < NumInits; ++J) { 13465 const auto *Init = ILE->getInit(J); 13466 if (!Init) 13467 break; 13468 const auto *SLJ = dyn_cast<StringLiteral>(Init->IgnoreImpCasts()); 13469 if (!SLJ || SLJ->getNumConcatenated() > 1) { 13470 OnlyOneMissingComma = false; 13471 break; 13472 } 13473 } 13474 13475 if (OnlyOneMissingComma) { 13476 SmallVector<FixItHint, 1> Hints; 13477 for (unsigned i = 0; i < NumConcat - 1; ++i) 13478 Hints.push_back(FixItHint::CreateInsertion( 13479 PP.getLocForEndOfToken(SL->getStrTokenLoc(i)), ",")); 13480 13481 Diag(SL->getStrTokenLoc(1), 13482 diag::warn_concatenated_literal_array_init) 13483 << Hints; 13484 Diag(SL->getBeginLoc(), 13485 diag::note_concatenated_string_literal_silence); 13486 } 13487 // In any case, stop now. 13488 break; 13489 } 13490 } 13491 } 13492 13493 13494 QualType type = var->getType(); 13495 13496 if (var->hasAttr<BlocksAttr>()) 13497 getCurFunction()->addByrefBlockVar(var); 13498 13499 Expr *Init = var->getInit(); 13500 bool GlobalStorage = var->hasGlobalStorage(); 13501 bool IsGlobal = GlobalStorage && !var->isStaticLocal(); 13502 QualType baseType = Context.getBaseElementType(type); 13503 bool HasConstInit = true; 13504 13505 // Check whether the initializer is sufficiently constant. 13506 if (getLangOpts().CPlusPlus && !type->isDependentType() && Init && 13507 !Init->isValueDependent() && 13508 (GlobalStorage || var->isConstexpr() || 13509 var->mightBeUsableInConstantExpressions(Context))) { 13510 // If this variable might have a constant initializer or might be usable in 13511 // constant expressions, check whether or not it actually is now. We can't 13512 // do this lazily, because the result might depend on things that change 13513 // later, such as which constexpr functions happen to be defined. 13514 SmallVector<PartialDiagnosticAt, 8> Notes; 13515 if (!getLangOpts().CPlusPlus11) { 13516 // Prior to C++11, in contexts where a constant initializer is required, 13517 // the set of valid constant initializers is described by syntactic rules 13518 // in [expr.const]p2-6. 13519 // FIXME: Stricter checking for these rules would be useful for constinit / 13520 // -Wglobal-constructors. 13521 HasConstInit = checkConstInit(); 13522 13523 // Compute and cache the constant value, and remember that we have a 13524 // constant initializer. 13525 if (HasConstInit) { 13526 (void)var->checkForConstantInitialization(Notes); 13527 Notes.clear(); 13528 } else if (CacheCulprit) { 13529 Notes.emplace_back(CacheCulprit->getExprLoc(), 13530 PDiag(diag::note_invalid_subexpr_in_const_expr)); 13531 Notes.back().second << CacheCulprit->getSourceRange(); 13532 } 13533 } else { 13534 // Evaluate the initializer to see if it's a constant initializer. 13535 HasConstInit = var->checkForConstantInitialization(Notes); 13536 } 13537 13538 if (HasConstInit) { 13539 // FIXME: Consider replacing the initializer with a ConstantExpr. 13540 } else if (var->isConstexpr()) { 13541 SourceLocation DiagLoc = var->getLocation(); 13542 // If the note doesn't add any useful information other than a source 13543 // location, fold it into the primary diagnostic. 13544 if (Notes.size() == 1 && Notes[0].second.getDiagID() == 13545 diag::note_invalid_subexpr_in_const_expr) { 13546 DiagLoc = Notes[0].first; 13547 Notes.clear(); 13548 } 13549 Diag(DiagLoc, diag::err_constexpr_var_requires_const_init) 13550 << var << Init->getSourceRange(); 13551 for (unsigned I = 0, N = Notes.size(); I != N; ++I) 13552 Diag(Notes[I].first, Notes[I].second); 13553 } else if (GlobalStorage && var->hasAttr<ConstInitAttr>()) { 13554 auto *Attr = var->getAttr<ConstInitAttr>(); 13555 Diag(var->getLocation(), diag::err_require_constant_init_failed) 13556 << Init->getSourceRange(); 13557 Diag(Attr->getLocation(), diag::note_declared_required_constant_init_here) 13558 << Attr->getRange() << Attr->isConstinit(); 13559 for (auto &it : Notes) 13560 Diag(it.first, it.second); 13561 } else if (IsGlobal && 13562 !getDiagnostics().isIgnored(diag::warn_global_constructor, 13563 var->getLocation())) { 13564 // Warn about globals which don't have a constant initializer. Don't 13565 // warn about globals with a non-trivial destructor because we already 13566 // warned about them. 13567 CXXRecordDecl *RD = baseType->getAsCXXRecordDecl(); 13568 if (!(RD && !RD->hasTrivialDestructor())) { 13569 // checkConstInit() here permits trivial default initialization even in 13570 // C++11 onwards, where such an initializer is not a constant initializer 13571 // but nonetheless doesn't require a global constructor. 13572 if (!checkConstInit()) 13573 Diag(var->getLocation(), diag::warn_global_constructor) 13574 << Init->getSourceRange(); 13575 } 13576 } 13577 } 13578 13579 // Apply section attributes and pragmas to global variables. 13580 if (GlobalStorage && var->isThisDeclarationADefinition() && 13581 !inTemplateInstantiation()) { 13582 PragmaStack<StringLiteral *> *Stack = nullptr; 13583 int SectionFlags = ASTContext::PSF_Read; 13584 if (var->getType().isConstQualified()) { 13585 if (HasConstInit) 13586 Stack = &ConstSegStack; 13587 else { 13588 Stack = &BSSSegStack; 13589 SectionFlags |= ASTContext::PSF_Write; 13590 } 13591 } else if (var->hasInit() && HasConstInit) { 13592 Stack = &DataSegStack; 13593 SectionFlags |= ASTContext::PSF_Write; 13594 } else { 13595 Stack = &BSSSegStack; 13596 SectionFlags |= ASTContext::PSF_Write; 13597 } 13598 if (const SectionAttr *SA = var->getAttr<SectionAttr>()) { 13599 if (SA->getSyntax() == AttributeCommonInfo::AS_Declspec) 13600 SectionFlags |= ASTContext::PSF_Implicit; 13601 UnifySection(SA->getName(), SectionFlags, var); 13602 } else if (Stack->CurrentValue) { 13603 SectionFlags |= ASTContext::PSF_Implicit; 13604 auto SectionName = Stack->CurrentValue->getString(); 13605 var->addAttr(SectionAttr::CreateImplicit( 13606 Context, SectionName, Stack->CurrentPragmaLocation, 13607 AttributeCommonInfo::AS_Pragma, SectionAttr::Declspec_allocate)); 13608 if (UnifySection(SectionName, SectionFlags, var)) 13609 var->dropAttr<SectionAttr>(); 13610 } 13611 13612 // Apply the init_seg attribute if this has an initializer. If the 13613 // initializer turns out to not be dynamic, we'll end up ignoring this 13614 // attribute. 13615 if (CurInitSeg && var->getInit()) 13616 var->addAttr(InitSegAttr::CreateImplicit(Context, CurInitSeg->getString(), 13617 CurInitSegLoc, 13618 AttributeCommonInfo::AS_Pragma)); 13619 } 13620 13621 // All the following checks are C++ only. 13622 if (!getLangOpts().CPlusPlus) { 13623 // If this variable must be emitted, add it as an initializer for the 13624 // current module. 13625 if (Context.DeclMustBeEmitted(var) && !ModuleScopes.empty()) 13626 Context.addModuleInitializer(ModuleScopes.back().Module, var); 13627 return; 13628 } 13629 13630 // Require the destructor. 13631 if (!type->isDependentType()) 13632 if (const RecordType *recordType = baseType->getAs<RecordType>()) 13633 FinalizeVarWithDestructor(var, recordType); 13634 13635 // If this variable must be emitted, add it as an initializer for the current 13636 // module. 13637 if (Context.DeclMustBeEmitted(var) && !ModuleScopes.empty()) 13638 Context.addModuleInitializer(ModuleScopes.back().Module, var); 13639 13640 // Build the bindings if this is a structured binding declaration. 13641 if (auto *DD = dyn_cast<DecompositionDecl>(var)) 13642 CheckCompleteDecompositionDeclaration(DD); 13643 } 13644 13645 /// Check if VD needs to be dllexport/dllimport due to being in a 13646 /// dllexport/import function. 13647 void Sema::CheckStaticLocalForDllExport(VarDecl *VD) { 13648 assert(VD->isStaticLocal()); 13649 13650 auto *FD = dyn_cast_or_null<FunctionDecl>(VD->getParentFunctionOrMethod()); 13651 13652 // Find outermost function when VD is in lambda function. 13653 while (FD && !getDLLAttr(FD) && 13654 !FD->hasAttr<DLLExportStaticLocalAttr>() && 13655 !FD->hasAttr<DLLImportStaticLocalAttr>()) { 13656 FD = dyn_cast_or_null<FunctionDecl>(FD->getParentFunctionOrMethod()); 13657 } 13658 13659 if (!FD) 13660 return; 13661 13662 // Static locals inherit dll attributes from their function. 13663 if (Attr *A = getDLLAttr(FD)) { 13664 auto *NewAttr = cast<InheritableAttr>(A->clone(getASTContext())); 13665 NewAttr->setInherited(true); 13666 VD->addAttr(NewAttr); 13667 } else if (Attr *A = FD->getAttr<DLLExportStaticLocalAttr>()) { 13668 auto *NewAttr = DLLExportAttr::CreateImplicit(getASTContext(), *A); 13669 NewAttr->setInherited(true); 13670 VD->addAttr(NewAttr); 13671 13672 // Export this function to enforce exporting this static variable even 13673 // if it is not used in this compilation unit. 13674 if (!FD->hasAttr<DLLExportAttr>()) 13675 FD->addAttr(NewAttr); 13676 13677 } else if (Attr *A = FD->getAttr<DLLImportStaticLocalAttr>()) { 13678 auto *NewAttr = DLLImportAttr::CreateImplicit(getASTContext(), *A); 13679 NewAttr->setInherited(true); 13680 VD->addAttr(NewAttr); 13681 } 13682 } 13683 13684 /// FinalizeDeclaration - called by ParseDeclarationAfterDeclarator to perform 13685 /// any semantic actions necessary after any initializer has been attached. 13686 void Sema::FinalizeDeclaration(Decl *ThisDecl) { 13687 // Note that we are no longer parsing the initializer for this declaration. 13688 ParsingInitForAutoVars.erase(ThisDecl); 13689 13690 VarDecl *VD = dyn_cast_or_null<VarDecl>(ThisDecl); 13691 if (!VD) 13692 return; 13693 13694 // Apply an implicit SectionAttr if '#pragma clang section bss|data|rodata' is active 13695 if (VD->hasGlobalStorage() && VD->isThisDeclarationADefinition() && 13696 !inTemplateInstantiation() && !VD->hasAttr<SectionAttr>()) { 13697 if (PragmaClangBSSSection.Valid) 13698 VD->addAttr(PragmaClangBSSSectionAttr::CreateImplicit( 13699 Context, PragmaClangBSSSection.SectionName, 13700 PragmaClangBSSSection.PragmaLocation, 13701 AttributeCommonInfo::AS_Pragma)); 13702 if (PragmaClangDataSection.Valid) 13703 VD->addAttr(PragmaClangDataSectionAttr::CreateImplicit( 13704 Context, PragmaClangDataSection.SectionName, 13705 PragmaClangDataSection.PragmaLocation, 13706 AttributeCommonInfo::AS_Pragma)); 13707 if (PragmaClangRodataSection.Valid) 13708 VD->addAttr(PragmaClangRodataSectionAttr::CreateImplicit( 13709 Context, PragmaClangRodataSection.SectionName, 13710 PragmaClangRodataSection.PragmaLocation, 13711 AttributeCommonInfo::AS_Pragma)); 13712 if (PragmaClangRelroSection.Valid) 13713 VD->addAttr(PragmaClangRelroSectionAttr::CreateImplicit( 13714 Context, PragmaClangRelroSection.SectionName, 13715 PragmaClangRelroSection.PragmaLocation, 13716 AttributeCommonInfo::AS_Pragma)); 13717 } 13718 13719 if (auto *DD = dyn_cast<DecompositionDecl>(ThisDecl)) { 13720 for (auto *BD : DD->bindings()) { 13721 FinalizeDeclaration(BD); 13722 } 13723 } 13724 13725 checkAttributesAfterMerging(*this, *VD); 13726 13727 // Perform TLS alignment check here after attributes attached to the variable 13728 // which may affect the alignment have been processed. Only perform the check 13729 // if the target has a maximum TLS alignment (zero means no constraints). 13730 if (unsigned MaxAlign = Context.getTargetInfo().getMaxTLSAlign()) { 13731 // Protect the check so that it's not performed on dependent types and 13732 // dependent alignments (we can't determine the alignment in that case). 13733 if (VD->getTLSKind() && !VD->hasDependentAlignment()) { 13734 CharUnits MaxAlignChars = Context.toCharUnitsFromBits(MaxAlign); 13735 if (Context.getDeclAlign(VD) > MaxAlignChars) { 13736 Diag(VD->getLocation(), diag::err_tls_var_aligned_over_maximum) 13737 << (unsigned)Context.getDeclAlign(VD).getQuantity() << VD 13738 << (unsigned)MaxAlignChars.getQuantity(); 13739 } 13740 } 13741 } 13742 13743 if (VD->isStaticLocal()) 13744 CheckStaticLocalForDllExport(VD); 13745 13746 // Perform check for initializers of device-side global variables. 13747 // CUDA allows empty constructors as initializers (see E.2.3.1, CUDA 13748 // 7.5). We must also apply the same checks to all __shared__ 13749 // variables whether they are local or not. CUDA also allows 13750 // constant initializers for __constant__ and __device__ variables. 13751 if (getLangOpts().CUDA) 13752 checkAllowedCUDAInitializer(VD); 13753 13754 // Grab the dllimport or dllexport attribute off of the VarDecl. 13755 const InheritableAttr *DLLAttr = getDLLAttr(VD); 13756 13757 // Imported static data members cannot be defined out-of-line. 13758 if (const auto *IA = dyn_cast_or_null<DLLImportAttr>(DLLAttr)) { 13759 if (VD->isStaticDataMember() && VD->isOutOfLine() && 13760 VD->isThisDeclarationADefinition()) { 13761 // We allow definitions of dllimport class template static data members 13762 // with a warning. 13763 CXXRecordDecl *Context = 13764 cast<CXXRecordDecl>(VD->getFirstDecl()->getDeclContext()); 13765 bool IsClassTemplateMember = 13766 isa<ClassTemplatePartialSpecializationDecl>(Context) || 13767 Context->getDescribedClassTemplate(); 13768 13769 Diag(VD->getLocation(), 13770 IsClassTemplateMember 13771 ? diag::warn_attribute_dllimport_static_field_definition 13772 : diag::err_attribute_dllimport_static_field_definition); 13773 Diag(IA->getLocation(), diag::note_attribute); 13774 if (!IsClassTemplateMember) 13775 VD->setInvalidDecl(); 13776 } 13777 } 13778 13779 // dllimport/dllexport variables cannot be thread local, their TLS index 13780 // isn't exported with the variable. 13781 if (DLLAttr && VD->getTLSKind()) { 13782 auto *F = dyn_cast_or_null<FunctionDecl>(VD->getParentFunctionOrMethod()); 13783 if (F && getDLLAttr(F)) { 13784 assert(VD->isStaticLocal()); 13785 // But if this is a static local in a dlimport/dllexport function, the 13786 // function will never be inlined, which means the var would never be 13787 // imported, so having it marked import/export is safe. 13788 } else { 13789 Diag(VD->getLocation(), diag::err_attribute_dll_thread_local) << VD 13790 << DLLAttr; 13791 VD->setInvalidDecl(); 13792 } 13793 } 13794 13795 if (UsedAttr *Attr = VD->getAttr<UsedAttr>()) { 13796 if (!Attr->isInherited() && !VD->isThisDeclarationADefinition()) { 13797 Diag(Attr->getLocation(), diag::warn_attribute_ignored_on_non_definition) 13798 << Attr; 13799 VD->dropAttr<UsedAttr>(); 13800 } 13801 } 13802 if (RetainAttr *Attr = VD->getAttr<RetainAttr>()) { 13803 if (!Attr->isInherited() && !VD->isThisDeclarationADefinition()) { 13804 Diag(Attr->getLocation(), diag::warn_attribute_ignored_on_non_definition) 13805 << Attr; 13806 VD->dropAttr<RetainAttr>(); 13807 } 13808 } 13809 13810 const DeclContext *DC = VD->getDeclContext(); 13811 // If there's a #pragma GCC visibility in scope, and this isn't a class 13812 // member, set the visibility of this variable. 13813 if (DC->getRedeclContext()->isFileContext() && VD->isExternallyVisible()) 13814 AddPushedVisibilityAttribute(VD); 13815 13816 // FIXME: Warn on unused var template partial specializations. 13817 if (VD->isFileVarDecl() && !isa<VarTemplatePartialSpecializationDecl>(VD)) 13818 MarkUnusedFileScopedDecl(VD); 13819 13820 // Now we have parsed the initializer and can update the table of magic 13821 // tag values. 13822 if (!VD->hasAttr<TypeTagForDatatypeAttr>() || 13823 !VD->getType()->isIntegralOrEnumerationType()) 13824 return; 13825 13826 for (const auto *I : ThisDecl->specific_attrs<TypeTagForDatatypeAttr>()) { 13827 const Expr *MagicValueExpr = VD->getInit(); 13828 if (!MagicValueExpr) { 13829 continue; 13830 } 13831 Optional<llvm::APSInt> MagicValueInt; 13832 if (!(MagicValueInt = MagicValueExpr->getIntegerConstantExpr(Context))) { 13833 Diag(I->getRange().getBegin(), 13834 diag::err_type_tag_for_datatype_not_ice) 13835 << LangOpts.CPlusPlus << MagicValueExpr->getSourceRange(); 13836 continue; 13837 } 13838 if (MagicValueInt->getActiveBits() > 64) { 13839 Diag(I->getRange().getBegin(), 13840 diag::err_type_tag_for_datatype_too_large) 13841 << LangOpts.CPlusPlus << MagicValueExpr->getSourceRange(); 13842 continue; 13843 } 13844 uint64_t MagicValue = MagicValueInt->getZExtValue(); 13845 RegisterTypeTagForDatatype(I->getArgumentKind(), 13846 MagicValue, 13847 I->getMatchingCType(), 13848 I->getLayoutCompatible(), 13849 I->getMustBeNull()); 13850 } 13851 } 13852 13853 static bool hasDeducedAuto(DeclaratorDecl *DD) { 13854 auto *VD = dyn_cast<VarDecl>(DD); 13855 return VD && !VD->getType()->hasAutoForTrailingReturnType(); 13856 } 13857 13858 Sema::DeclGroupPtrTy Sema::FinalizeDeclaratorGroup(Scope *S, const DeclSpec &DS, 13859 ArrayRef<Decl *> Group) { 13860 SmallVector<Decl*, 8> Decls; 13861 13862 if (DS.isTypeSpecOwned()) 13863 Decls.push_back(DS.getRepAsDecl()); 13864 13865 DeclaratorDecl *FirstDeclaratorInGroup = nullptr; 13866 DecompositionDecl *FirstDecompDeclaratorInGroup = nullptr; 13867 bool DiagnosedMultipleDecomps = false; 13868 DeclaratorDecl *FirstNonDeducedAutoInGroup = nullptr; 13869 bool DiagnosedNonDeducedAuto = false; 13870 13871 for (unsigned i = 0, e = Group.size(); i != e; ++i) { 13872 if (Decl *D = Group[i]) { 13873 // For declarators, there are some additional syntactic-ish checks we need 13874 // to perform. 13875 if (auto *DD = dyn_cast<DeclaratorDecl>(D)) { 13876 if (!FirstDeclaratorInGroup) 13877 FirstDeclaratorInGroup = DD; 13878 if (!FirstDecompDeclaratorInGroup) 13879 FirstDecompDeclaratorInGroup = dyn_cast<DecompositionDecl>(D); 13880 if (!FirstNonDeducedAutoInGroup && DS.hasAutoTypeSpec() && 13881 !hasDeducedAuto(DD)) 13882 FirstNonDeducedAutoInGroup = DD; 13883 13884 if (FirstDeclaratorInGroup != DD) { 13885 // A decomposition declaration cannot be combined with any other 13886 // declaration in the same group. 13887 if (FirstDecompDeclaratorInGroup && !DiagnosedMultipleDecomps) { 13888 Diag(FirstDecompDeclaratorInGroup->getLocation(), 13889 diag::err_decomp_decl_not_alone) 13890 << FirstDeclaratorInGroup->getSourceRange() 13891 << DD->getSourceRange(); 13892 DiagnosedMultipleDecomps = true; 13893 } 13894 13895 // A declarator that uses 'auto' in any way other than to declare a 13896 // variable with a deduced type cannot be combined with any other 13897 // declarator in the same group. 13898 if (FirstNonDeducedAutoInGroup && !DiagnosedNonDeducedAuto) { 13899 Diag(FirstNonDeducedAutoInGroup->getLocation(), 13900 diag::err_auto_non_deduced_not_alone) 13901 << FirstNonDeducedAutoInGroup->getType() 13902 ->hasAutoForTrailingReturnType() 13903 << FirstDeclaratorInGroup->getSourceRange() 13904 << DD->getSourceRange(); 13905 DiagnosedNonDeducedAuto = true; 13906 } 13907 } 13908 } 13909 13910 Decls.push_back(D); 13911 } 13912 } 13913 13914 if (DeclSpec::isDeclRep(DS.getTypeSpecType())) { 13915 if (TagDecl *Tag = dyn_cast_or_null<TagDecl>(DS.getRepAsDecl())) { 13916 handleTagNumbering(Tag, S); 13917 if (FirstDeclaratorInGroup && !Tag->hasNameForLinkage() && 13918 getLangOpts().CPlusPlus) 13919 Context.addDeclaratorForUnnamedTagDecl(Tag, FirstDeclaratorInGroup); 13920 } 13921 } 13922 13923 return BuildDeclaratorGroup(Decls); 13924 } 13925 13926 /// BuildDeclaratorGroup - convert a list of declarations into a declaration 13927 /// group, performing any necessary semantic checking. 13928 Sema::DeclGroupPtrTy 13929 Sema::BuildDeclaratorGroup(MutableArrayRef<Decl *> Group) { 13930 // C++14 [dcl.spec.auto]p7: (DR1347) 13931 // If the type that replaces the placeholder type is not the same in each 13932 // deduction, the program is ill-formed. 13933 if (Group.size() > 1) { 13934 QualType Deduced; 13935 VarDecl *DeducedDecl = nullptr; 13936 for (unsigned i = 0, e = Group.size(); i != e; ++i) { 13937 VarDecl *D = dyn_cast<VarDecl>(Group[i]); 13938 if (!D || D->isInvalidDecl()) 13939 break; 13940 DeducedType *DT = D->getType()->getContainedDeducedType(); 13941 if (!DT || DT->getDeducedType().isNull()) 13942 continue; 13943 if (Deduced.isNull()) { 13944 Deduced = DT->getDeducedType(); 13945 DeducedDecl = D; 13946 } else if (!Context.hasSameType(DT->getDeducedType(), Deduced)) { 13947 auto *AT = dyn_cast<AutoType>(DT); 13948 auto Dia = Diag(D->getTypeSourceInfo()->getTypeLoc().getBeginLoc(), 13949 diag::err_auto_different_deductions) 13950 << (AT ? (unsigned)AT->getKeyword() : 3) << Deduced 13951 << DeducedDecl->getDeclName() << DT->getDeducedType() 13952 << D->getDeclName(); 13953 if (DeducedDecl->hasInit()) 13954 Dia << DeducedDecl->getInit()->getSourceRange(); 13955 if (D->getInit()) 13956 Dia << D->getInit()->getSourceRange(); 13957 D->setInvalidDecl(); 13958 break; 13959 } 13960 } 13961 } 13962 13963 ActOnDocumentableDecls(Group); 13964 13965 return DeclGroupPtrTy::make( 13966 DeclGroupRef::Create(Context, Group.data(), Group.size())); 13967 } 13968 13969 void Sema::ActOnDocumentableDecl(Decl *D) { 13970 ActOnDocumentableDecls(D); 13971 } 13972 13973 void Sema::ActOnDocumentableDecls(ArrayRef<Decl *> Group) { 13974 // Don't parse the comment if Doxygen diagnostics are ignored. 13975 if (Group.empty() || !Group[0]) 13976 return; 13977 13978 if (Diags.isIgnored(diag::warn_doc_param_not_found, 13979 Group[0]->getLocation()) && 13980 Diags.isIgnored(diag::warn_unknown_comment_command_name, 13981 Group[0]->getLocation())) 13982 return; 13983 13984 if (Group.size() >= 2) { 13985 // This is a decl group. Normally it will contain only declarations 13986 // produced from declarator list. But in case we have any definitions or 13987 // additional declaration references: 13988 // 'typedef struct S {} S;' 13989 // 'typedef struct S *S;' 13990 // 'struct S *pS;' 13991 // FinalizeDeclaratorGroup adds these as separate declarations. 13992 Decl *MaybeTagDecl = Group[0]; 13993 if (MaybeTagDecl && isa<TagDecl>(MaybeTagDecl)) { 13994 Group = Group.slice(1); 13995 } 13996 } 13997 13998 // FIMXE: We assume every Decl in the group is in the same file. 13999 // This is false when preprocessor constructs the group from decls in 14000 // different files (e. g. macros or #include). 14001 Context.attachCommentsToJustParsedDecls(Group, &getPreprocessor()); 14002 } 14003 14004 /// Common checks for a parameter-declaration that should apply to both function 14005 /// parameters and non-type template parameters. 14006 void Sema::CheckFunctionOrTemplateParamDeclarator(Scope *S, Declarator &D) { 14007 // Check that there are no default arguments inside the type of this 14008 // parameter. 14009 if (getLangOpts().CPlusPlus) 14010 CheckExtraCXXDefaultArguments(D); 14011 14012 // Parameter declarators cannot be qualified (C++ [dcl.meaning]p1). 14013 if (D.getCXXScopeSpec().isSet()) { 14014 Diag(D.getIdentifierLoc(), diag::err_qualified_param_declarator) 14015 << D.getCXXScopeSpec().getRange(); 14016 } 14017 14018 // [dcl.meaning]p1: An unqualified-id occurring in a declarator-id shall be a 14019 // simple identifier except [...irrelevant cases...]. 14020 switch (D.getName().getKind()) { 14021 case UnqualifiedIdKind::IK_Identifier: 14022 break; 14023 14024 case UnqualifiedIdKind::IK_OperatorFunctionId: 14025 case UnqualifiedIdKind::IK_ConversionFunctionId: 14026 case UnqualifiedIdKind::IK_LiteralOperatorId: 14027 case UnqualifiedIdKind::IK_ConstructorName: 14028 case UnqualifiedIdKind::IK_DestructorName: 14029 case UnqualifiedIdKind::IK_ImplicitSelfParam: 14030 case UnqualifiedIdKind::IK_DeductionGuideName: 14031 Diag(D.getIdentifierLoc(), diag::err_bad_parameter_name) 14032 << GetNameForDeclarator(D).getName(); 14033 break; 14034 14035 case UnqualifiedIdKind::IK_TemplateId: 14036 case UnqualifiedIdKind::IK_ConstructorTemplateId: 14037 // GetNameForDeclarator would not produce a useful name in this case. 14038 Diag(D.getIdentifierLoc(), diag::err_bad_parameter_name_template_id); 14039 break; 14040 } 14041 } 14042 14043 /// ActOnParamDeclarator - Called from Parser::ParseFunctionDeclarator() 14044 /// to introduce parameters into function prototype scope. 14045 Decl *Sema::ActOnParamDeclarator(Scope *S, Declarator &D) { 14046 const DeclSpec &DS = D.getDeclSpec(); 14047 14048 // Verify C99 6.7.5.3p2: The only SCS allowed is 'register'. 14049 14050 // C++03 [dcl.stc]p2 also permits 'auto'. 14051 StorageClass SC = SC_None; 14052 if (DS.getStorageClassSpec() == DeclSpec::SCS_register) { 14053 SC = SC_Register; 14054 // In C++11, the 'register' storage class specifier is deprecated. 14055 // In C++17, it is not allowed, but we tolerate it as an extension. 14056 if (getLangOpts().CPlusPlus11) { 14057 Diag(DS.getStorageClassSpecLoc(), 14058 getLangOpts().CPlusPlus17 ? diag::ext_register_storage_class 14059 : diag::warn_deprecated_register) 14060 << FixItHint::CreateRemoval(DS.getStorageClassSpecLoc()); 14061 } 14062 } else if (getLangOpts().CPlusPlus && 14063 DS.getStorageClassSpec() == DeclSpec::SCS_auto) { 14064 SC = SC_Auto; 14065 } else if (DS.getStorageClassSpec() != DeclSpec::SCS_unspecified) { 14066 Diag(DS.getStorageClassSpecLoc(), 14067 diag::err_invalid_storage_class_in_func_decl); 14068 D.getMutableDeclSpec().ClearStorageClassSpecs(); 14069 } 14070 14071 if (DeclSpec::TSCS TSCS = DS.getThreadStorageClassSpec()) 14072 Diag(DS.getThreadStorageClassSpecLoc(), diag::err_invalid_thread) 14073 << DeclSpec::getSpecifierName(TSCS); 14074 if (DS.isInlineSpecified()) 14075 Diag(DS.getInlineSpecLoc(), diag::err_inline_non_function) 14076 << getLangOpts().CPlusPlus17; 14077 if (DS.hasConstexprSpecifier()) 14078 Diag(DS.getConstexprSpecLoc(), diag::err_invalid_constexpr) 14079 << 0 << static_cast<int>(D.getDeclSpec().getConstexprSpecifier()); 14080 14081 DiagnoseFunctionSpecifiers(DS); 14082 14083 CheckFunctionOrTemplateParamDeclarator(S, D); 14084 14085 TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S); 14086 QualType parmDeclType = TInfo->getType(); 14087 14088 // Check for redeclaration of parameters, e.g. int foo(int x, int x); 14089 IdentifierInfo *II = D.getIdentifier(); 14090 if (II) { 14091 LookupResult R(*this, II, D.getIdentifierLoc(), LookupOrdinaryName, 14092 ForVisibleRedeclaration); 14093 LookupName(R, S); 14094 if (R.isSingleResult()) { 14095 NamedDecl *PrevDecl = R.getFoundDecl(); 14096 if (PrevDecl->isTemplateParameter()) { 14097 // Maybe we will complain about the shadowed template parameter. 14098 DiagnoseTemplateParameterShadow(D.getIdentifierLoc(), PrevDecl); 14099 // Just pretend that we didn't see the previous declaration. 14100 PrevDecl = nullptr; 14101 } else if (S->isDeclScope(PrevDecl)) { 14102 Diag(D.getIdentifierLoc(), diag::err_param_redefinition) << II; 14103 Diag(PrevDecl->getLocation(), diag::note_previous_declaration); 14104 14105 // Recover by removing the name 14106 II = nullptr; 14107 D.SetIdentifier(nullptr, D.getIdentifierLoc()); 14108 D.setInvalidType(true); 14109 } 14110 } 14111 } 14112 14113 // Temporarily put parameter variables in the translation unit, not 14114 // the enclosing context. This prevents them from accidentally 14115 // looking like class members in C++. 14116 ParmVarDecl *New = 14117 CheckParameter(Context.getTranslationUnitDecl(), D.getBeginLoc(), 14118 D.getIdentifierLoc(), II, parmDeclType, TInfo, SC); 14119 14120 if (D.isInvalidType()) 14121 New->setInvalidDecl(); 14122 14123 assert(S->isFunctionPrototypeScope()); 14124 assert(S->getFunctionPrototypeDepth() >= 1); 14125 New->setScopeInfo(S->getFunctionPrototypeDepth() - 1, 14126 S->getNextFunctionPrototypeIndex()); 14127 14128 // Add the parameter declaration into this scope. 14129 S->AddDecl(New); 14130 if (II) 14131 IdResolver.AddDecl(New); 14132 14133 ProcessDeclAttributes(S, New, D); 14134 14135 if (D.getDeclSpec().isModulePrivateSpecified()) 14136 Diag(New->getLocation(), diag::err_module_private_local) 14137 << 1 << New << SourceRange(D.getDeclSpec().getModulePrivateSpecLoc()) 14138 << FixItHint::CreateRemoval(D.getDeclSpec().getModulePrivateSpecLoc()); 14139 14140 if (New->hasAttr<BlocksAttr>()) { 14141 Diag(New->getLocation(), diag::err_block_on_nonlocal); 14142 } 14143 14144 if (getLangOpts().OpenCL) 14145 deduceOpenCLAddressSpace(New); 14146 14147 return New; 14148 } 14149 14150 /// Synthesizes a variable for a parameter arising from a 14151 /// typedef. 14152 ParmVarDecl *Sema::BuildParmVarDeclForTypedef(DeclContext *DC, 14153 SourceLocation Loc, 14154 QualType T) { 14155 /* FIXME: setting StartLoc == Loc. 14156 Would it be worth to modify callers so as to provide proper source 14157 location for the unnamed parameters, embedding the parameter's type? */ 14158 ParmVarDecl *Param = ParmVarDecl::Create(Context, DC, Loc, Loc, nullptr, 14159 T, Context.getTrivialTypeSourceInfo(T, Loc), 14160 SC_None, nullptr); 14161 Param->setImplicit(); 14162 return Param; 14163 } 14164 14165 void Sema::DiagnoseUnusedParameters(ArrayRef<ParmVarDecl *> Parameters) { 14166 // Don't diagnose unused-parameter errors in template instantiations; we 14167 // will already have done so in the template itself. 14168 if (inTemplateInstantiation()) 14169 return; 14170 14171 for (const ParmVarDecl *Parameter : Parameters) { 14172 if (!Parameter->isReferenced() && Parameter->getDeclName() && 14173 !Parameter->hasAttr<UnusedAttr>()) { 14174 Diag(Parameter->getLocation(), diag::warn_unused_parameter) 14175 << Parameter->getDeclName(); 14176 } 14177 } 14178 } 14179 14180 void Sema::DiagnoseSizeOfParametersAndReturnValue( 14181 ArrayRef<ParmVarDecl *> Parameters, QualType ReturnTy, NamedDecl *D) { 14182 if (LangOpts.NumLargeByValueCopy == 0) // No check. 14183 return; 14184 14185 // Warn if the return value is pass-by-value and larger than the specified 14186 // threshold. 14187 if (!ReturnTy->isDependentType() && ReturnTy.isPODType(Context)) { 14188 unsigned Size = Context.getTypeSizeInChars(ReturnTy).getQuantity(); 14189 if (Size > LangOpts.NumLargeByValueCopy) 14190 Diag(D->getLocation(), diag::warn_return_value_size) << D << Size; 14191 } 14192 14193 // Warn if any parameter is pass-by-value and larger than the specified 14194 // threshold. 14195 for (const ParmVarDecl *Parameter : Parameters) { 14196 QualType T = Parameter->getType(); 14197 if (T->isDependentType() || !T.isPODType(Context)) 14198 continue; 14199 unsigned Size = Context.getTypeSizeInChars(T).getQuantity(); 14200 if (Size > LangOpts.NumLargeByValueCopy) 14201 Diag(Parameter->getLocation(), diag::warn_parameter_size) 14202 << Parameter << Size; 14203 } 14204 } 14205 14206 ParmVarDecl *Sema::CheckParameter(DeclContext *DC, SourceLocation StartLoc, 14207 SourceLocation NameLoc, IdentifierInfo *Name, 14208 QualType T, TypeSourceInfo *TSInfo, 14209 StorageClass SC) { 14210 // In ARC, infer a lifetime qualifier for appropriate parameter types. 14211 if (getLangOpts().ObjCAutoRefCount && 14212 T.getObjCLifetime() == Qualifiers::OCL_None && 14213 T->isObjCLifetimeType()) { 14214 14215 Qualifiers::ObjCLifetime lifetime; 14216 14217 // Special cases for arrays: 14218 // - if it's const, use __unsafe_unretained 14219 // - otherwise, it's an error 14220 if (T->isArrayType()) { 14221 if (!T.isConstQualified()) { 14222 if (DelayedDiagnostics.shouldDelayDiagnostics()) 14223 DelayedDiagnostics.add( 14224 sema::DelayedDiagnostic::makeForbiddenType( 14225 NameLoc, diag::err_arc_array_param_no_ownership, T, false)); 14226 else 14227 Diag(NameLoc, diag::err_arc_array_param_no_ownership) 14228 << TSInfo->getTypeLoc().getSourceRange(); 14229 } 14230 lifetime = Qualifiers::OCL_ExplicitNone; 14231 } else { 14232 lifetime = T->getObjCARCImplicitLifetime(); 14233 } 14234 T = Context.getLifetimeQualifiedType(T, lifetime); 14235 } 14236 14237 ParmVarDecl *New = ParmVarDecl::Create(Context, DC, StartLoc, NameLoc, Name, 14238 Context.getAdjustedParameterType(T), 14239 TSInfo, SC, nullptr); 14240 14241 // Make a note if we created a new pack in the scope of a lambda, so that 14242 // we know that references to that pack must also be expanded within the 14243 // lambda scope. 14244 if (New->isParameterPack()) 14245 if (auto *LSI = getEnclosingLambda()) 14246 LSI->LocalPacks.push_back(New); 14247 14248 if (New->getType().hasNonTrivialToPrimitiveDestructCUnion() || 14249 New->getType().hasNonTrivialToPrimitiveCopyCUnion()) 14250 checkNonTrivialCUnion(New->getType(), New->getLocation(), 14251 NTCUC_FunctionParam, NTCUK_Destruct|NTCUK_Copy); 14252 14253 // Parameters can not be abstract class types. 14254 // For record types, this is done by the AbstractClassUsageDiagnoser once 14255 // the class has been completely parsed. 14256 if (!CurContext->isRecord() && 14257 RequireNonAbstractType(NameLoc, T, diag::err_abstract_type_in_decl, 14258 AbstractParamType)) 14259 New->setInvalidDecl(); 14260 14261 // Parameter declarators cannot be interface types. All ObjC objects are 14262 // passed by reference. 14263 if (T->isObjCObjectType()) { 14264 SourceLocation TypeEndLoc = 14265 getLocForEndOfToken(TSInfo->getTypeLoc().getEndLoc()); 14266 Diag(NameLoc, 14267 diag::err_object_cannot_be_passed_returned_by_value) << 1 << T 14268 << FixItHint::CreateInsertion(TypeEndLoc, "*"); 14269 T = Context.getObjCObjectPointerType(T); 14270 New->setType(T); 14271 } 14272 14273 // ISO/IEC TR 18037 S6.7.3: "The type of an object with automatic storage 14274 // duration shall not be qualified by an address-space qualifier." 14275 // Since all parameters have automatic store duration, they can not have 14276 // an address space. 14277 if (T.getAddressSpace() != LangAS::Default && 14278 // OpenCL allows function arguments declared to be an array of a type 14279 // to be qualified with an address space. 14280 !(getLangOpts().OpenCL && 14281 (T->isArrayType() || T.getAddressSpace() == LangAS::opencl_private))) { 14282 Diag(NameLoc, diag::err_arg_with_address_space); 14283 New->setInvalidDecl(); 14284 } 14285 14286 // PPC MMA non-pointer types are not allowed as function argument types. 14287 if (Context.getTargetInfo().getTriple().isPPC64() && 14288 CheckPPCMMAType(New->getOriginalType(), New->getLocation())) { 14289 New->setInvalidDecl(); 14290 } 14291 14292 return New; 14293 } 14294 14295 void Sema::ActOnFinishKNRParamDeclarations(Scope *S, Declarator &D, 14296 SourceLocation LocAfterDecls) { 14297 DeclaratorChunk::FunctionTypeInfo &FTI = D.getFunctionTypeInfo(); 14298 14299 // C99 6.9.1p6 "If a declarator includes an identifier list, each declaration 14300 // in the declaration list shall have at least one declarator, those 14301 // declarators shall only declare identifiers from the identifier list, and 14302 // every identifier in the identifier list shall be declared. 14303 // 14304 // C89 3.7.1p5 "If a declarator includes an identifier list, only the 14305 // identifiers it names shall be declared in the declaration list." 14306 // 14307 // This is why we only diagnose in C99 and later. Note, the other conditions 14308 // listed are checked elsewhere. 14309 if (!FTI.hasPrototype) { 14310 for (int i = FTI.NumParams; i != 0; /* decrement in loop */) { 14311 --i; 14312 if (FTI.Params[i].Param == nullptr) { 14313 if (getLangOpts().C99) { 14314 SmallString<256> Code; 14315 llvm::raw_svector_ostream(Code) 14316 << " int " << FTI.Params[i].Ident->getName() << ";\n"; 14317 Diag(FTI.Params[i].IdentLoc, diag::ext_param_not_declared) 14318 << FTI.Params[i].Ident 14319 << FixItHint::CreateInsertion(LocAfterDecls, Code); 14320 } 14321 14322 // Implicitly declare the argument as type 'int' for lack of a better 14323 // type. 14324 AttributeFactory attrs; 14325 DeclSpec DS(attrs); 14326 const char* PrevSpec; // unused 14327 unsigned DiagID; // unused 14328 DS.SetTypeSpecType(DeclSpec::TST_int, FTI.Params[i].IdentLoc, PrevSpec, 14329 DiagID, Context.getPrintingPolicy()); 14330 // Use the identifier location for the type source range. 14331 DS.SetRangeStart(FTI.Params[i].IdentLoc); 14332 DS.SetRangeEnd(FTI.Params[i].IdentLoc); 14333 Declarator ParamD(DS, DeclaratorContext::KNRTypeList); 14334 ParamD.SetIdentifier(FTI.Params[i].Ident, FTI.Params[i].IdentLoc); 14335 FTI.Params[i].Param = ActOnParamDeclarator(S, ParamD); 14336 } 14337 } 14338 } 14339 } 14340 14341 Decl * 14342 Sema::ActOnStartOfFunctionDef(Scope *FnBodyScope, Declarator &D, 14343 MultiTemplateParamsArg TemplateParameterLists, 14344 SkipBodyInfo *SkipBody, FnBodyKind BodyKind) { 14345 assert(getCurFunctionDecl() == nullptr && "Function parsing confused"); 14346 assert(D.isFunctionDeclarator() && "Not a function declarator!"); 14347 Scope *ParentScope = FnBodyScope->getParent(); 14348 14349 // Check if we are in an `omp begin/end declare variant` scope. If we are, and 14350 // we define a non-templated function definition, we will create a declaration 14351 // instead (=BaseFD), and emit the definition with a mangled name afterwards. 14352 // The base function declaration will have the equivalent of an `omp declare 14353 // variant` annotation which specifies the mangled definition as a 14354 // specialization function under the OpenMP context defined as part of the 14355 // `omp begin declare variant`. 14356 SmallVector<FunctionDecl *, 4> Bases; 14357 if (LangOpts.OpenMP && isInOpenMPDeclareVariantScope()) 14358 ActOnStartOfFunctionDefinitionInOpenMPDeclareVariantScope( 14359 ParentScope, D, TemplateParameterLists, Bases); 14360 14361 D.setFunctionDefinitionKind(FunctionDefinitionKind::Definition); 14362 Decl *DP = HandleDeclarator(ParentScope, D, TemplateParameterLists); 14363 Decl *Dcl = ActOnStartOfFunctionDef(FnBodyScope, DP, SkipBody, BodyKind); 14364 14365 if (!Bases.empty()) 14366 ActOnFinishedFunctionDefinitionInOpenMPDeclareVariantScope(Dcl, Bases); 14367 14368 return Dcl; 14369 } 14370 14371 void Sema::ActOnFinishInlineFunctionDef(FunctionDecl *D) { 14372 Consumer.HandleInlineFunctionDefinition(D); 14373 } 14374 14375 static bool 14376 ShouldWarnAboutMissingPrototype(const FunctionDecl *FD, 14377 const FunctionDecl *&PossiblePrototype) { 14378 // Don't warn about invalid declarations. 14379 if (FD->isInvalidDecl()) 14380 return false; 14381 14382 // Or declarations that aren't global. 14383 if (!FD->isGlobal()) 14384 return false; 14385 14386 // Don't warn about C++ member functions. 14387 if (isa<CXXMethodDecl>(FD)) 14388 return false; 14389 14390 // Don't warn about 'main'. 14391 if (isa<TranslationUnitDecl>(FD->getDeclContext()->getRedeclContext())) 14392 if (IdentifierInfo *II = FD->getIdentifier()) 14393 if (II->isStr("main") || II->isStr("efi_main")) 14394 return false; 14395 14396 // Don't warn about inline functions. 14397 if (FD->isInlined()) 14398 return false; 14399 14400 // Don't warn about function templates. 14401 if (FD->getDescribedFunctionTemplate()) 14402 return false; 14403 14404 // Don't warn about function template specializations. 14405 if (FD->isFunctionTemplateSpecialization()) 14406 return false; 14407 14408 // Don't warn for OpenCL kernels. 14409 if (FD->hasAttr<OpenCLKernelAttr>()) 14410 return false; 14411 14412 // Don't warn on explicitly deleted functions. 14413 if (FD->isDeleted()) 14414 return false; 14415 14416 // Don't warn on implicitly local functions (such as having local-typed 14417 // parameters). 14418 if (!FD->isExternallyVisible()) 14419 return false; 14420 14421 for (const FunctionDecl *Prev = FD->getPreviousDecl(); 14422 Prev; Prev = Prev->getPreviousDecl()) { 14423 // Ignore any declarations that occur in function or method 14424 // scope, because they aren't visible from the header. 14425 if (Prev->getLexicalDeclContext()->isFunctionOrMethod()) 14426 continue; 14427 14428 PossiblePrototype = Prev; 14429 return Prev->getType()->isFunctionNoProtoType(); 14430 } 14431 14432 return true; 14433 } 14434 14435 void 14436 Sema::CheckForFunctionRedefinition(FunctionDecl *FD, 14437 const FunctionDecl *EffectiveDefinition, 14438 SkipBodyInfo *SkipBody) { 14439 const FunctionDecl *Definition = EffectiveDefinition; 14440 if (!Definition && 14441 !FD->isDefined(Definition, /*CheckForPendingFriendDefinition*/ true)) 14442 return; 14443 14444 if (Definition->getFriendObjectKind() != Decl::FOK_None) { 14445 if (FunctionDecl *OrigDef = Definition->getInstantiatedFromMemberFunction()) { 14446 if (FunctionDecl *OrigFD = FD->getInstantiatedFromMemberFunction()) { 14447 // A merged copy of the same function, instantiated as a member of 14448 // the same class, is OK. 14449 if (declaresSameEntity(OrigFD, OrigDef) && 14450 declaresSameEntity(cast<Decl>(Definition->getLexicalDeclContext()), 14451 cast<Decl>(FD->getLexicalDeclContext()))) 14452 return; 14453 } 14454 } 14455 } 14456 14457 if (canRedefineFunction(Definition, getLangOpts())) 14458 return; 14459 14460 // Don't emit an error when this is redefinition of a typo-corrected 14461 // definition. 14462 if (TypoCorrectedFunctionDefinitions.count(Definition)) 14463 return; 14464 14465 // If we don't have a visible definition of the function, and it's inline or 14466 // a template, skip the new definition. 14467 if (SkipBody && !hasVisibleDefinition(Definition) && 14468 (Definition->getFormalLinkage() == InternalLinkage || 14469 Definition->isInlined() || 14470 Definition->getDescribedFunctionTemplate() || 14471 Definition->getNumTemplateParameterLists())) { 14472 SkipBody->ShouldSkip = true; 14473 SkipBody->Previous = const_cast<FunctionDecl*>(Definition); 14474 if (auto *TD = Definition->getDescribedFunctionTemplate()) 14475 makeMergedDefinitionVisible(TD); 14476 makeMergedDefinitionVisible(const_cast<FunctionDecl*>(Definition)); 14477 return; 14478 } 14479 14480 if (getLangOpts().GNUMode && Definition->isInlineSpecified() && 14481 Definition->getStorageClass() == SC_Extern) 14482 Diag(FD->getLocation(), diag::err_redefinition_extern_inline) 14483 << FD << getLangOpts().CPlusPlus; 14484 else 14485 Diag(FD->getLocation(), diag::err_redefinition) << FD; 14486 14487 Diag(Definition->getLocation(), diag::note_previous_definition); 14488 FD->setInvalidDecl(); 14489 } 14490 14491 static void RebuildLambdaScopeInfo(CXXMethodDecl *CallOperator, 14492 Sema &S) { 14493 CXXRecordDecl *const LambdaClass = CallOperator->getParent(); 14494 14495 LambdaScopeInfo *LSI = S.PushLambdaScope(); 14496 LSI->CallOperator = CallOperator; 14497 LSI->Lambda = LambdaClass; 14498 LSI->ReturnType = CallOperator->getReturnType(); 14499 const LambdaCaptureDefault LCD = LambdaClass->getLambdaCaptureDefault(); 14500 14501 if (LCD == LCD_None) 14502 LSI->ImpCaptureStyle = CapturingScopeInfo::ImpCap_None; 14503 else if (LCD == LCD_ByCopy) 14504 LSI->ImpCaptureStyle = CapturingScopeInfo::ImpCap_LambdaByval; 14505 else if (LCD == LCD_ByRef) 14506 LSI->ImpCaptureStyle = CapturingScopeInfo::ImpCap_LambdaByref; 14507 DeclarationNameInfo DNI = CallOperator->getNameInfo(); 14508 14509 LSI->IntroducerRange = DNI.getCXXOperatorNameRange(); 14510 LSI->Mutable = !CallOperator->isConst(); 14511 14512 // Add the captures to the LSI so they can be noted as already 14513 // captured within tryCaptureVar. 14514 auto I = LambdaClass->field_begin(); 14515 for (const auto &C : LambdaClass->captures()) { 14516 if (C.capturesVariable()) { 14517 VarDecl *VD = C.getCapturedVar(); 14518 if (VD->isInitCapture()) 14519 S.CurrentInstantiationScope->InstantiatedLocal(VD, VD); 14520 const bool ByRef = C.getCaptureKind() == LCK_ByRef; 14521 LSI->addCapture(VD, /*IsBlock*/false, ByRef, 14522 /*RefersToEnclosingVariableOrCapture*/true, C.getLocation(), 14523 /*EllipsisLoc*/C.isPackExpansion() 14524 ? C.getEllipsisLoc() : SourceLocation(), 14525 I->getType(), /*Invalid*/false); 14526 14527 } else if (C.capturesThis()) { 14528 LSI->addThisCapture(/*Nested*/ false, C.getLocation(), I->getType(), 14529 C.getCaptureKind() == LCK_StarThis); 14530 } else { 14531 LSI->addVLATypeCapture(C.getLocation(), I->getCapturedVLAType(), 14532 I->getType()); 14533 } 14534 ++I; 14535 } 14536 } 14537 14538 Decl *Sema::ActOnStartOfFunctionDef(Scope *FnBodyScope, Decl *D, 14539 SkipBodyInfo *SkipBody, 14540 FnBodyKind BodyKind) { 14541 if (!D) { 14542 // Parsing the function declaration failed in some way. Push on a fake scope 14543 // anyway so we can try to parse the function body. 14544 PushFunctionScope(); 14545 PushExpressionEvaluationContext(ExprEvalContexts.back().Context); 14546 return D; 14547 } 14548 14549 FunctionDecl *FD = nullptr; 14550 14551 if (FunctionTemplateDecl *FunTmpl = dyn_cast<FunctionTemplateDecl>(D)) 14552 FD = FunTmpl->getTemplatedDecl(); 14553 else 14554 FD = cast<FunctionDecl>(D); 14555 14556 // Do not push if it is a lambda because one is already pushed when building 14557 // the lambda in ActOnStartOfLambdaDefinition(). 14558 if (!isLambdaCallOperator(FD)) 14559 PushExpressionEvaluationContext( 14560 FD->isConsteval() ? ExpressionEvaluationContext::ConstantEvaluated 14561 : ExprEvalContexts.back().Context); 14562 14563 // Check for defining attributes before the check for redefinition. 14564 if (const auto *Attr = FD->getAttr<AliasAttr>()) { 14565 Diag(Attr->getLocation(), diag::err_alias_is_definition) << FD << 0; 14566 FD->dropAttr<AliasAttr>(); 14567 FD->setInvalidDecl(); 14568 } 14569 if (const auto *Attr = FD->getAttr<IFuncAttr>()) { 14570 Diag(Attr->getLocation(), diag::err_alias_is_definition) << FD << 1; 14571 FD->dropAttr<IFuncAttr>(); 14572 FD->setInvalidDecl(); 14573 } 14574 14575 if (auto *Ctor = dyn_cast<CXXConstructorDecl>(FD)) { 14576 if (Ctor->getTemplateSpecializationKind() == TSK_ExplicitSpecialization && 14577 Ctor->isDefaultConstructor() && 14578 Context.getTargetInfo().getCXXABI().isMicrosoft()) { 14579 // If this is an MS ABI dllexport default constructor, instantiate any 14580 // default arguments. 14581 InstantiateDefaultCtorDefaultArgs(Ctor); 14582 } 14583 } 14584 14585 // See if this is a redefinition. If 'will have body' (or similar) is already 14586 // set, then these checks were already performed when it was set. 14587 if (!FD->willHaveBody() && !FD->isLateTemplateParsed() && 14588 !FD->isThisDeclarationInstantiatedFromAFriendDefinition()) { 14589 CheckForFunctionRedefinition(FD, nullptr, SkipBody); 14590 14591 // If we're skipping the body, we're done. Don't enter the scope. 14592 if (SkipBody && SkipBody->ShouldSkip) 14593 return D; 14594 } 14595 14596 // Mark this function as "will have a body eventually". This lets users to 14597 // call e.g. isInlineDefinitionExternallyVisible while we're still parsing 14598 // this function. 14599 FD->setWillHaveBody(); 14600 14601 // If we are instantiating a generic lambda call operator, push 14602 // a LambdaScopeInfo onto the function stack. But use the information 14603 // that's already been calculated (ActOnLambdaExpr) to prime the current 14604 // LambdaScopeInfo. 14605 // When the template operator is being specialized, the LambdaScopeInfo, 14606 // has to be properly restored so that tryCaptureVariable doesn't try 14607 // and capture any new variables. In addition when calculating potential 14608 // captures during transformation of nested lambdas, it is necessary to 14609 // have the LSI properly restored. 14610 if (isGenericLambdaCallOperatorSpecialization(FD)) { 14611 assert(inTemplateInstantiation() && 14612 "There should be an active template instantiation on the stack " 14613 "when instantiating a generic lambda!"); 14614 RebuildLambdaScopeInfo(cast<CXXMethodDecl>(D), *this); 14615 } else { 14616 // Enter a new function scope 14617 PushFunctionScope(); 14618 } 14619 14620 // Builtin functions cannot be defined. 14621 if (unsigned BuiltinID = FD->getBuiltinID()) { 14622 if (!Context.BuiltinInfo.isPredefinedLibFunction(BuiltinID) && 14623 !Context.BuiltinInfo.isPredefinedRuntimeFunction(BuiltinID)) { 14624 Diag(FD->getLocation(), diag::err_builtin_definition) << FD; 14625 FD->setInvalidDecl(); 14626 } 14627 } 14628 14629 // The return type of a function definition must be complete (C99 6.9.1p3), 14630 // unless the function is deleted (C++ specifc, C++ [dcl.fct.def.general]p2) 14631 QualType ResultType = FD->getReturnType(); 14632 if (!ResultType->isDependentType() && !ResultType->isVoidType() && 14633 !FD->isInvalidDecl() && BodyKind != FnBodyKind::Delete && 14634 RequireCompleteType(FD->getLocation(), ResultType, 14635 diag::err_func_def_incomplete_result)) 14636 FD->setInvalidDecl(); 14637 14638 if (FnBodyScope) 14639 PushDeclContext(FnBodyScope, FD); 14640 14641 // Check the validity of our function parameters 14642 if (BodyKind != FnBodyKind::Delete) 14643 CheckParmsForFunctionDef(FD->parameters(), 14644 /*CheckParameterNames=*/true); 14645 14646 // Add non-parameter declarations already in the function to the current 14647 // scope. 14648 if (FnBodyScope) { 14649 for (Decl *NPD : FD->decls()) { 14650 auto *NonParmDecl = dyn_cast<NamedDecl>(NPD); 14651 if (!NonParmDecl) 14652 continue; 14653 assert(!isa<ParmVarDecl>(NonParmDecl) && 14654 "parameters should not be in newly created FD yet"); 14655 14656 // If the decl has a name, make it accessible in the current scope. 14657 if (NonParmDecl->getDeclName()) 14658 PushOnScopeChains(NonParmDecl, FnBodyScope, /*AddToContext=*/false); 14659 14660 // Similarly, dive into enums and fish their constants out, making them 14661 // accessible in this scope. 14662 if (auto *ED = dyn_cast<EnumDecl>(NonParmDecl)) { 14663 for (auto *EI : ED->enumerators()) 14664 PushOnScopeChains(EI, FnBodyScope, /*AddToContext=*/false); 14665 } 14666 } 14667 } 14668 14669 // Introduce our parameters into the function scope 14670 for (auto Param : FD->parameters()) { 14671 Param->setOwningFunction(FD); 14672 14673 // If this has an identifier, add it to the scope stack. 14674 if (Param->getIdentifier() && FnBodyScope) { 14675 CheckShadow(FnBodyScope, Param); 14676 14677 PushOnScopeChains(Param, FnBodyScope); 14678 } 14679 } 14680 14681 // Ensure that the function's exception specification is instantiated. 14682 if (const FunctionProtoType *FPT = FD->getType()->getAs<FunctionProtoType>()) 14683 ResolveExceptionSpec(D->getLocation(), FPT); 14684 14685 // dllimport cannot be applied to non-inline function definitions. 14686 if (FD->hasAttr<DLLImportAttr>() && !FD->isInlined() && 14687 !FD->isTemplateInstantiation()) { 14688 assert(!FD->hasAttr<DLLExportAttr>()); 14689 Diag(FD->getLocation(), diag::err_attribute_dllimport_function_definition); 14690 FD->setInvalidDecl(); 14691 return D; 14692 } 14693 // We want to attach documentation to original Decl (which might be 14694 // a function template). 14695 ActOnDocumentableDecl(D); 14696 if (getCurLexicalContext()->isObjCContainer() && 14697 getCurLexicalContext()->getDeclKind() != Decl::ObjCCategoryImpl && 14698 getCurLexicalContext()->getDeclKind() != Decl::ObjCImplementation) 14699 Diag(FD->getLocation(), diag::warn_function_def_in_objc_container); 14700 14701 return D; 14702 } 14703 14704 /// Given the set of return statements within a function body, 14705 /// compute the variables that are subject to the named return value 14706 /// optimization. 14707 /// 14708 /// Each of the variables that is subject to the named return value 14709 /// optimization will be marked as NRVO variables in the AST, and any 14710 /// return statement that has a marked NRVO variable as its NRVO candidate can 14711 /// use the named return value optimization. 14712 /// 14713 /// This function applies a very simplistic algorithm for NRVO: if every return 14714 /// statement in the scope of a variable has the same NRVO candidate, that 14715 /// candidate is an NRVO variable. 14716 void Sema::computeNRVO(Stmt *Body, FunctionScopeInfo *Scope) { 14717 ReturnStmt **Returns = Scope->Returns.data(); 14718 14719 for (unsigned I = 0, E = Scope->Returns.size(); I != E; ++I) { 14720 if (const VarDecl *NRVOCandidate = Returns[I]->getNRVOCandidate()) { 14721 if (!NRVOCandidate->isNRVOVariable()) 14722 Returns[I]->setNRVOCandidate(nullptr); 14723 } 14724 } 14725 } 14726 14727 bool Sema::canDelayFunctionBody(const Declarator &D) { 14728 // We can't delay parsing the body of a constexpr function template (yet). 14729 if (D.getDeclSpec().hasConstexprSpecifier()) 14730 return false; 14731 14732 // We can't delay parsing the body of a function template with a deduced 14733 // return type (yet). 14734 if (D.getDeclSpec().hasAutoTypeSpec()) { 14735 // If the placeholder introduces a non-deduced trailing return type, 14736 // we can still delay parsing it. 14737 if (D.getNumTypeObjects()) { 14738 const auto &Outer = D.getTypeObject(D.getNumTypeObjects() - 1); 14739 if (Outer.Kind == DeclaratorChunk::Function && 14740 Outer.Fun.hasTrailingReturnType()) { 14741 QualType Ty = GetTypeFromParser(Outer.Fun.getTrailingReturnType()); 14742 return Ty.isNull() || !Ty->isUndeducedType(); 14743 } 14744 } 14745 return false; 14746 } 14747 14748 return true; 14749 } 14750 14751 bool Sema::canSkipFunctionBody(Decl *D) { 14752 // We cannot skip the body of a function (or function template) which is 14753 // constexpr, since we may need to evaluate its body in order to parse the 14754 // rest of the file. 14755 // We cannot skip the body of a function with an undeduced return type, 14756 // because any callers of that function need to know the type. 14757 if (const FunctionDecl *FD = D->getAsFunction()) { 14758 if (FD->isConstexpr()) 14759 return false; 14760 // We can't simply call Type::isUndeducedType here, because inside template 14761 // auto can be deduced to a dependent type, which is not considered 14762 // "undeduced". 14763 if (FD->getReturnType()->getContainedDeducedType()) 14764 return false; 14765 } 14766 return Consumer.shouldSkipFunctionBody(D); 14767 } 14768 14769 Decl *Sema::ActOnSkippedFunctionBody(Decl *Decl) { 14770 if (!Decl) 14771 return nullptr; 14772 if (FunctionDecl *FD = Decl->getAsFunction()) 14773 FD->setHasSkippedBody(); 14774 else if (ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(Decl)) 14775 MD->setHasSkippedBody(); 14776 return Decl; 14777 } 14778 14779 Decl *Sema::ActOnFinishFunctionBody(Decl *D, Stmt *BodyArg) { 14780 return ActOnFinishFunctionBody(D, BodyArg, false); 14781 } 14782 14783 /// RAII object that pops an ExpressionEvaluationContext when exiting a function 14784 /// body. 14785 class ExitFunctionBodyRAII { 14786 public: 14787 ExitFunctionBodyRAII(Sema &S, bool IsLambda) : S(S), IsLambda(IsLambda) {} 14788 ~ExitFunctionBodyRAII() { 14789 if (!IsLambda) 14790 S.PopExpressionEvaluationContext(); 14791 } 14792 14793 private: 14794 Sema &S; 14795 bool IsLambda = false; 14796 }; 14797 14798 static void diagnoseImplicitlyRetainedSelf(Sema &S) { 14799 llvm::DenseMap<const BlockDecl *, bool> EscapeInfo; 14800 14801 auto IsOrNestedInEscapingBlock = [&](const BlockDecl *BD) { 14802 if (EscapeInfo.count(BD)) 14803 return EscapeInfo[BD]; 14804 14805 bool R = false; 14806 const BlockDecl *CurBD = BD; 14807 14808 do { 14809 R = !CurBD->doesNotEscape(); 14810 if (R) 14811 break; 14812 CurBD = CurBD->getParent()->getInnermostBlockDecl(); 14813 } while (CurBD); 14814 14815 return EscapeInfo[BD] = R; 14816 }; 14817 14818 // If the location where 'self' is implicitly retained is inside a escaping 14819 // block, emit a diagnostic. 14820 for (const std::pair<SourceLocation, const BlockDecl *> &P : 14821 S.ImplicitlyRetainedSelfLocs) 14822 if (IsOrNestedInEscapingBlock(P.second)) 14823 S.Diag(P.first, diag::warn_implicitly_retains_self) 14824 << FixItHint::CreateInsertion(P.first, "self->"); 14825 } 14826 14827 Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body, 14828 bool IsInstantiation) { 14829 FunctionScopeInfo *FSI = getCurFunction(); 14830 FunctionDecl *FD = dcl ? dcl->getAsFunction() : nullptr; 14831 14832 if (FSI->UsesFPIntrin && FD && !FD->hasAttr<StrictFPAttr>()) 14833 FD->addAttr(StrictFPAttr::CreateImplicit(Context)); 14834 14835 sema::AnalysisBasedWarnings::Policy WP = AnalysisWarnings.getDefaultPolicy(); 14836 sema::AnalysisBasedWarnings::Policy *ActivePolicy = nullptr; 14837 14838 if (getLangOpts().Coroutines && FSI->isCoroutine()) 14839 CheckCompletedCoroutineBody(FD, Body); 14840 14841 { 14842 // Do not call PopExpressionEvaluationContext() if it is a lambda because 14843 // one is already popped when finishing the lambda in BuildLambdaExpr(). 14844 // This is meant to pop the context added in ActOnStartOfFunctionDef(). 14845 ExitFunctionBodyRAII ExitRAII(*this, isLambdaCallOperator(FD)); 14846 14847 if (FD) { 14848 FD->setBody(Body); 14849 FD->setWillHaveBody(false); 14850 14851 if (getLangOpts().CPlusPlus14) { 14852 if (!FD->isInvalidDecl() && Body && !FD->isDependentContext() && 14853 FD->getReturnType()->isUndeducedType()) { 14854 // For a function with a deduced result type to return void, 14855 // the result type as written must be 'auto' or 'decltype(auto)', 14856 // possibly cv-qualified or constrained, but not ref-qualified. 14857 if (!FD->getReturnType()->getAs<AutoType>()) { 14858 Diag(dcl->getLocation(), diag::err_auto_fn_no_return_but_not_auto) 14859 << FD->getReturnType(); 14860 FD->setInvalidDecl(); 14861 } else { 14862 // Falling off the end of the function is the same as 'return;'. 14863 Expr *Dummy = nullptr; 14864 if (DeduceFunctionTypeFromReturnExpr( 14865 FD, dcl->getLocation(), Dummy, 14866 FD->getReturnType()->getAs<AutoType>())) 14867 FD->setInvalidDecl(); 14868 } 14869 } 14870 } else if (getLangOpts().CPlusPlus11 && isLambdaCallOperator(FD)) { 14871 // In C++11, we don't use 'auto' deduction rules for lambda call 14872 // operators because we don't support return type deduction. 14873 auto *LSI = getCurLambda(); 14874 if (LSI->HasImplicitReturnType) { 14875 deduceClosureReturnType(*LSI); 14876 14877 // C++11 [expr.prim.lambda]p4: 14878 // [...] if there are no return statements in the compound-statement 14879 // [the deduced type is] the type void 14880 QualType RetType = 14881 LSI->ReturnType.isNull() ? Context.VoidTy : LSI->ReturnType; 14882 14883 // Update the return type to the deduced type. 14884 const auto *Proto = FD->getType()->castAs<FunctionProtoType>(); 14885 FD->setType(Context.getFunctionType(RetType, Proto->getParamTypes(), 14886 Proto->getExtProtoInfo())); 14887 } 14888 } 14889 14890 // If the function implicitly returns zero (like 'main') or is naked, 14891 // don't complain about missing return statements. 14892 if (FD->hasImplicitReturnZero() || FD->hasAttr<NakedAttr>()) 14893 WP.disableCheckFallThrough(); 14894 14895 // MSVC permits the use of pure specifier (=0) on function definition, 14896 // defined at class scope, warn about this non-standard construct. 14897 if (getLangOpts().MicrosoftExt && FD->isPure() && !FD->isOutOfLine()) 14898 Diag(FD->getLocation(), diag::ext_pure_function_definition); 14899 14900 if (!FD->isInvalidDecl()) { 14901 // Don't diagnose unused parameters of defaulted, deleted or naked 14902 // functions. 14903 if (!FD->isDeleted() && !FD->isDefaulted() && !FD->hasSkippedBody() && 14904 !FD->hasAttr<NakedAttr>()) 14905 DiagnoseUnusedParameters(FD->parameters()); 14906 DiagnoseSizeOfParametersAndReturnValue(FD->parameters(), 14907 FD->getReturnType(), FD); 14908 14909 // If this is a structor, we need a vtable. 14910 if (CXXConstructorDecl *Constructor = dyn_cast<CXXConstructorDecl>(FD)) 14911 MarkVTableUsed(FD->getLocation(), Constructor->getParent()); 14912 else if (CXXDestructorDecl *Destructor = 14913 dyn_cast<CXXDestructorDecl>(FD)) 14914 MarkVTableUsed(FD->getLocation(), Destructor->getParent()); 14915 14916 // Try to apply the named return value optimization. We have to check 14917 // if we can do this here because lambdas keep return statements around 14918 // to deduce an implicit return type. 14919 if (FD->getReturnType()->isRecordType() && 14920 (!getLangOpts().CPlusPlus || !FD->isDependentContext())) 14921 computeNRVO(Body, FSI); 14922 } 14923 14924 // GNU warning -Wmissing-prototypes: 14925 // Warn if a global function is defined without a previous 14926 // prototype declaration. This warning is issued even if the 14927 // definition itself provides a prototype. The aim is to detect 14928 // global functions that fail to be declared in header files. 14929 const FunctionDecl *PossiblePrototype = nullptr; 14930 if (ShouldWarnAboutMissingPrototype(FD, PossiblePrototype)) { 14931 Diag(FD->getLocation(), diag::warn_missing_prototype) << FD; 14932 14933 if (PossiblePrototype) { 14934 // We found a declaration that is not a prototype, 14935 // but that could be a zero-parameter prototype 14936 if (TypeSourceInfo *TI = PossiblePrototype->getTypeSourceInfo()) { 14937 TypeLoc TL = TI->getTypeLoc(); 14938 if (FunctionNoProtoTypeLoc FTL = TL.getAs<FunctionNoProtoTypeLoc>()) 14939 Diag(PossiblePrototype->getLocation(), 14940 diag::note_declaration_not_a_prototype) 14941 << (FD->getNumParams() != 0) 14942 << (FD->getNumParams() == 0 ? FixItHint::CreateInsertion( 14943 FTL.getRParenLoc(), "void") 14944 : FixItHint{}); 14945 } 14946 } else { 14947 // Returns true if the token beginning at this Loc is `const`. 14948 auto isLocAtConst = [&](SourceLocation Loc, const SourceManager &SM, 14949 const LangOptions &LangOpts) { 14950 std::pair<FileID, unsigned> LocInfo = SM.getDecomposedLoc(Loc); 14951 if (LocInfo.first.isInvalid()) 14952 return false; 14953 14954 bool Invalid = false; 14955 StringRef Buffer = SM.getBufferData(LocInfo.first, &Invalid); 14956 if (Invalid) 14957 return false; 14958 14959 if (LocInfo.second > Buffer.size()) 14960 return false; 14961 14962 const char *LexStart = Buffer.data() + LocInfo.second; 14963 StringRef StartTok(LexStart, Buffer.size() - LocInfo.second); 14964 14965 return StartTok.consume_front("const") && 14966 (StartTok.empty() || isWhitespace(StartTok[0]) || 14967 StartTok.startswith("/*") || StartTok.startswith("//")); 14968 }; 14969 14970 auto findBeginLoc = [&]() { 14971 // If the return type has `const` qualifier, we want to insert 14972 // `static` before `const` (and not before the typename). 14973 if ((FD->getReturnType()->isAnyPointerType() && 14974 FD->getReturnType()->getPointeeType().isConstQualified()) || 14975 FD->getReturnType().isConstQualified()) { 14976 // But only do this if we can determine where the `const` is. 14977 14978 if (isLocAtConst(FD->getBeginLoc(), getSourceManager(), 14979 getLangOpts())) 14980 14981 return FD->getBeginLoc(); 14982 } 14983 return FD->getTypeSpecStartLoc(); 14984 }; 14985 Diag(FD->getTypeSpecStartLoc(), 14986 diag::note_static_for_internal_linkage) 14987 << /* function */ 1 14988 << (FD->getStorageClass() == SC_None 14989 ? FixItHint::CreateInsertion(findBeginLoc(), "static ") 14990 : FixItHint{}); 14991 } 14992 } 14993 14994 // If the function being defined does not have a prototype, then we may 14995 // need to diagnose it as changing behavior in C2x because we now know 14996 // whether the function accepts arguments or not. This only handles the 14997 // case where the definition has no prototype but does have parameters 14998 // and either there is no previous potential prototype, or the previous 14999 // potential prototype also has no actual prototype. This handles cases 15000 // like: 15001 // void f(); void f(a) int a; {} 15002 // void g(a) int a; {} 15003 // See MergeFunctionDecl() for other cases of the behavior change 15004 // diagnostic. See GetFullTypeForDeclarator() for handling of a function 15005 // type without a prototype. 15006 if (!FD->hasWrittenPrototype() && FD->getNumParams() != 0 && 15007 (!PossiblePrototype || (!PossiblePrototype->hasWrittenPrototype() && 15008 !PossiblePrototype->isImplicit()))) { 15009 // The function definition has parameters, so this will change behavior 15010 // in C2x. If there is a possible prototype, it comes before the 15011 // function definition. 15012 // FIXME: The declaration may have already been diagnosed as being 15013 // deprecated in GetFullTypeForDeclarator() if it had no arguments, but 15014 // there's no way to test for the "changes behavior" condition in 15015 // SemaType.cpp when forming the declaration's function type. So, we do 15016 // this awkward dance instead. 15017 // 15018 // If we have a possible prototype and it declares a function with a 15019 // prototype, we don't want to diagnose it; if we have a possible 15020 // prototype and it has no prototype, it may have already been 15021 // diagnosed in SemaType.cpp as deprecated depending on whether 15022 // -Wstrict-prototypes is enabled. If we already warned about it being 15023 // deprecated, add a note that it also changes behavior. If we didn't 15024 // warn about it being deprecated (because the diagnostic is not 15025 // enabled), warn now that it is deprecated and changes behavior. 15026 15027 // This K&R C function definition definitely changes behavior in C2x, 15028 // so diagnose it. 15029 Diag(FD->getLocation(), diag::warn_non_prototype_changes_behavior) 15030 << /*definition*/ 1 << /* not supported in C2x */ 0; 15031 15032 // If we have a possible prototype for the function which is a user- 15033 // visible declaration, we already tested that it has no prototype. 15034 // This will change behavior in C2x. This gets a warning rather than a 15035 // note because it's the same behavior-changing problem as with the 15036 // definition. 15037 if (PossiblePrototype) 15038 Diag(PossiblePrototype->getLocation(), 15039 diag::warn_non_prototype_changes_behavior) 15040 << /*declaration*/ 0 << /* conflicting */ 1 << /*subsequent*/ 1 15041 << /*definition*/ 1; 15042 } 15043 15044 // Warn on CPUDispatch with an actual body. 15045 if (FD->isMultiVersion() && FD->hasAttr<CPUDispatchAttr>() && Body) 15046 if (const auto *CmpndBody = dyn_cast<CompoundStmt>(Body)) 15047 if (!CmpndBody->body_empty()) 15048 Diag(CmpndBody->body_front()->getBeginLoc(), 15049 diag::warn_dispatch_body_ignored); 15050 15051 if (auto *MD = dyn_cast<CXXMethodDecl>(FD)) { 15052 const CXXMethodDecl *KeyFunction; 15053 if (MD->isOutOfLine() && (MD = MD->getCanonicalDecl()) && 15054 MD->isVirtual() && 15055 (KeyFunction = Context.getCurrentKeyFunction(MD->getParent())) && 15056 MD == KeyFunction->getCanonicalDecl()) { 15057 // Update the key-function state if necessary for this ABI. 15058 if (FD->isInlined() && 15059 !Context.getTargetInfo().getCXXABI().canKeyFunctionBeInline()) { 15060 Context.setNonKeyFunction(MD); 15061 15062 // If the newly-chosen key function is already defined, then we 15063 // need to mark the vtable as used retroactively. 15064 KeyFunction = Context.getCurrentKeyFunction(MD->getParent()); 15065 const FunctionDecl *Definition; 15066 if (KeyFunction && KeyFunction->isDefined(Definition)) 15067 MarkVTableUsed(Definition->getLocation(), MD->getParent(), true); 15068 } else { 15069 // We just defined they key function; mark the vtable as used. 15070 MarkVTableUsed(FD->getLocation(), MD->getParent(), true); 15071 } 15072 } 15073 } 15074 15075 assert( 15076 (FD == getCurFunctionDecl() || getCurLambda()->CallOperator == FD) && 15077 "Function parsing confused"); 15078 } else if (ObjCMethodDecl *MD = dyn_cast_or_null<ObjCMethodDecl>(dcl)) { 15079 assert(MD == getCurMethodDecl() && "Method parsing confused"); 15080 MD->setBody(Body); 15081 if (!MD->isInvalidDecl()) { 15082 DiagnoseSizeOfParametersAndReturnValue(MD->parameters(), 15083 MD->getReturnType(), MD); 15084 15085 if (Body) 15086 computeNRVO(Body, FSI); 15087 } 15088 if (FSI->ObjCShouldCallSuper) { 15089 Diag(MD->getEndLoc(), diag::warn_objc_missing_super_call) 15090 << MD->getSelector().getAsString(); 15091 FSI->ObjCShouldCallSuper = false; 15092 } 15093 if (FSI->ObjCWarnForNoDesignatedInitChain) { 15094 const ObjCMethodDecl *InitMethod = nullptr; 15095 bool isDesignated = 15096 MD->isDesignatedInitializerForTheInterface(&InitMethod); 15097 assert(isDesignated && InitMethod); 15098 (void)isDesignated; 15099 15100 auto superIsNSObject = [&](const ObjCMethodDecl *MD) { 15101 auto IFace = MD->getClassInterface(); 15102 if (!IFace) 15103 return false; 15104 auto SuperD = IFace->getSuperClass(); 15105 if (!SuperD) 15106 return false; 15107 return SuperD->getIdentifier() == 15108 NSAPIObj->getNSClassId(NSAPI::ClassId_NSObject); 15109 }; 15110 // Don't issue this warning for unavailable inits or direct subclasses 15111 // of NSObject. 15112 if (!MD->isUnavailable() && !superIsNSObject(MD)) { 15113 Diag(MD->getLocation(), 15114 diag::warn_objc_designated_init_missing_super_call); 15115 Diag(InitMethod->getLocation(), 15116 diag::note_objc_designated_init_marked_here); 15117 } 15118 FSI->ObjCWarnForNoDesignatedInitChain = false; 15119 } 15120 if (FSI->ObjCWarnForNoInitDelegation) { 15121 // Don't issue this warning for unavaialable inits. 15122 if (!MD->isUnavailable()) 15123 Diag(MD->getLocation(), 15124 diag::warn_objc_secondary_init_missing_init_call); 15125 FSI->ObjCWarnForNoInitDelegation = false; 15126 } 15127 15128 diagnoseImplicitlyRetainedSelf(*this); 15129 } else { 15130 // Parsing the function declaration failed in some way. Pop the fake scope 15131 // we pushed on. 15132 PopFunctionScopeInfo(ActivePolicy, dcl); 15133 return nullptr; 15134 } 15135 15136 if (Body && FSI->HasPotentialAvailabilityViolations) 15137 DiagnoseUnguardedAvailabilityViolations(dcl); 15138 15139 assert(!FSI->ObjCShouldCallSuper && 15140 "This should only be set for ObjC methods, which should have been " 15141 "handled in the block above."); 15142 15143 // Verify and clean out per-function state. 15144 if (Body && (!FD || !FD->isDefaulted())) { 15145 // C++ constructors that have function-try-blocks can't have return 15146 // statements in the handlers of that block. (C++ [except.handle]p14) 15147 // Verify this. 15148 if (FD && isa<CXXConstructorDecl>(FD) && isa<CXXTryStmt>(Body)) 15149 DiagnoseReturnInConstructorExceptionHandler(cast<CXXTryStmt>(Body)); 15150 15151 // Verify that gotos and switch cases don't jump into scopes illegally. 15152 if (FSI->NeedsScopeChecking() && !PP.isCodeCompletionEnabled()) 15153 DiagnoseInvalidJumps(Body); 15154 15155 if (CXXDestructorDecl *Destructor = dyn_cast<CXXDestructorDecl>(dcl)) { 15156 if (!Destructor->getParent()->isDependentType()) 15157 CheckDestructor(Destructor); 15158 15159 MarkBaseAndMemberDestructorsReferenced(Destructor->getLocation(), 15160 Destructor->getParent()); 15161 } 15162 15163 // If any errors have occurred, clear out any temporaries that may have 15164 // been leftover. This ensures that these temporaries won't be picked up 15165 // for deletion in some later function. 15166 if (hasUncompilableErrorOccurred() || 15167 getDiagnostics().getSuppressAllDiagnostics()) { 15168 DiscardCleanupsInEvaluationContext(); 15169 } 15170 if (!hasUncompilableErrorOccurred() && !isa<FunctionTemplateDecl>(dcl)) { 15171 // Since the body is valid, issue any analysis-based warnings that are 15172 // enabled. 15173 ActivePolicy = &WP; 15174 } 15175 15176 if (!IsInstantiation && FD && FD->isConstexpr() && !FD->isInvalidDecl() && 15177 !CheckConstexprFunctionDefinition(FD, CheckConstexprKind::Diagnose)) 15178 FD->setInvalidDecl(); 15179 15180 if (FD && FD->hasAttr<NakedAttr>()) { 15181 for (const Stmt *S : Body->children()) { 15182 // Allow local register variables without initializer as they don't 15183 // require prologue. 15184 bool RegisterVariables = false; 15185 if (auto *DS = dyn_cast<DeclStmt>(S)) { 15186 for (const auto *Decl : DS->decls()) { 15187 if (const auto *Var = dyn_cast<VarDecl>(Decl)) { 15188 RegisterVariables = 15189 Var->hasAttr<AsmLabelAttr>() && !Var->hasInit(); 15190 if (!RegisterVariables) 15191 break; 15192 } 15193 } 15194 } 15195 if (RegisterVariables) 15196 continue; 15197 if (!isa<AsmStmt>(S) && !isa<NullStmt>(S)) { 15198 Diag(S->getBeginLoc(), diag::err_non_asm_stmt_in_naked_function); 15199 Diag(FD->getAttr<NakedAttr>()->getLocation(), diag::note_attribute); 15200 FD->setInvalidDecl(); 15201 break; 15202 } 15203 } 15204 } 15205 15206 assert(ExprCleanupObjects.size() == 15207 ExprEvalContexts.back().NumCleanupObjects && 15208 "Leftover temporaries in function"); 15209 assert(!Cleanup.exprNeedsCleanups() && 15210 "Unaccounted cleanups in function"); 15211 assert(MaybeODRUseExprs.empty() && 15212 "Leftover expressions for odr-use checking"); 15213 } 15214 } // Pops the ExitFunctionBodyRAII scope, which needs to happen before we pop 15215 // the declaration context below. Otherwise, we're unable to transform 15216 // 'this' expressions when transforming immediate context functions. 15217 15218 if (!IsInstantiation) 15219 PopDeclContext(); 15220 15221 PopFunctionScopeInfo(ActivePolicy, dcl); 15222 // If any errors have occurred, clear out any temporaries that may have 15223 // been leftover. This ensures that these temporaries won't be picked up for 15224 // deletion in some later function. 15225 if (hasUncompilableErrorOccurred()) { 15226 DiscardCleanupsInEvaluationContext(); 15227 } 15228 15229 if (FD && ((LangOpts.OpenMP && (LangOpts.OpenMPIsDevice || 15230 !LangOpts.OMPTargetTriples.empty())) || 15231 LangOpts.CUDA || LangOpts.SYCLIsDevice)) { 15232 auto ES = getEmissionStatus(FD); 15233 if (ES == Sema::FunctionEmissionStatus::Emitted || 15234 ES == Sema::FunctionEmissionStatus::Unknown) 15235 DeclsToCheckForDeferredDiags.insert(FD); 15236 } 15237 15238 if (FD && !FD->isDeleted()) 15239 checkTypeSupport(FD->getType(), FD->getLocation(), FD); 15240 15241 return dcl; 15242 } 15243 15244 /// When we finish delayed parsing of an attribute, we must attach it to the 15245 /// relevant Decl. 15246 void Sema::ActOnFinishDelayedAttribute(Scope *S, Decl *D, 15247 ParsedAttributes &Attrs) { 15248 // Always attach attributes to the underlying decl. 15249 if (TemplateDecl *TD = dyn_cast<TemplateDecl>(D)) 15250 D = TD->getTemplatedDecl(); 15251 ProcessDeclAttributeList(S, D, Attrs); 15252 15253 if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(D)) 15254 if (Method->isStatic()) 15255 checkThisInStaticMemberFunctionAttributes(Method); 15256 } 15257 15258 /// ImplicitlyDefineFunction - An undeclared identifier was used in a function 15259 /// call, forming a call to an implicitly defined function (per C99 6.5.1p2). 15260 NamedDecl *Sema::ImplicitlyDefineFunction(SourceLocation Loc, 15261 IdentifierInfo &II, Scope *S) { 15262 // It is not valid to implicitly define a function in C2x. 15263 assert(LangOpts.implicitFunctionsAllowed() && 15264 "Implicit function declarations aren't allowed in this language mode"); 15265 15266 // Find the scope in which the identifier is injected and the corresponding 15267 // DeclContext. 15268 // FIXME: C89 does not say what happens if there is no enclosing block scope. 15269 // In that case, we inject the declaration into the translation unit scope 15270 // instead. 15271 Scope *BlockScope = S; 15272 while (!BlockScope->isCompoundStmtScope() && BlockScope->getParent()) 15273 BlockScope = BlockScope->getParent(); 15274 15275 Scope *ContextScope = BlockScope; 15276 while (!ContextScope->getEntity()) 15277 ContextScope = ContextScope->getParent(); 15278 ContextRAII SavedContext(*this, ContextScope->getEntity()); 15279 15280 // Before we produce a declaration for an implicitly defined 15281 // function, see whether there was a locally-scoped declaration of 15282 // this name as a function or variable. If so, use that 15283 // (non-visible) declaration, and complain about it. 15284 NamedDecl *ExternCPrev = findLocallyScopedExternCDecl(&II); 15285 if (ExternCPrev) { 15286 // We still need to inject the function into the enclosing block scope so 15287 // that later (non-call) uses can see it. 15288 PushOnScopeChains(ExternCPrev, BlockScope, /*AddToContext*/false); 15289 15290 // C89 footnote 38: 15291 // If in fact it is not defined as having type "function returning int", 15292 // the behavior is undefined. 15293 if (!isa<FunctionDecl>(ExternCPrev) || 15294 !Context.typesAreCompatible( 15295 cast<FunctionDecl>(ExternCPrev)->getType(), 15296 Context.getFunctionNoProtoType(Context.IntTy))) { 15297 Diag(Loc, diag::ext_use_out_of_scope_declaration) 15298 << ExternCPrev << !getLangOpts().C99; 15299 Diag(ExternCPrev->getLocation(), diag::note_previous_declaration); 15300 return ExternCPrev; 15301 } 15302 } 15303 15304 // Extension in C99 (defaults to error). Legal in C89, but warn about it. 15305 unsigned diag_id; 15306 if (II.getName().startswith("__builtin_")) 15307 diag_id = diag::warn_builtin_unknown; 15308 // OpenCL v2.0 s6.9.u - Implicit function declaration is not supported. 15309 else if (getLangOpts().C99) 15310 diag_id = diag::ext_implicit_function_decl_c99; 15311 else 15312 diag_id = diag::warn_implicit_function_decl; 15313 15314 TypoCorrection Corrected; 15315 // Because typo correction is expensive, only do it if the implicit 15316 // function declaration is going to be treated as an error. 15317 // 15318 // Perform the corection before issuing the main diagnostic, as some consumers 15319 // use typo-correction callbacks to enhance the main diagnostic. 15320 if (S && !ExternCPrev && 15321 (Diags.getDiagnosticLevel(diag_id, Loc) >= DiagnosticsEngine::Error)) { 15322 DeclFilterCCC<FunctionDecl> CCC{}; 15323 Corrected = CorrectTypo(DeclarationNameInfo(&II, Loc), LookupOrdinaryName, 15324 S, nullptr, CCC, CTK_NonError); 15325 } 15326 15327 Diag(Loc, diag_id) << &II; 15328 if (Corrected) { 15329 // If the correction is going to suggest an implicitly defined function, 15330 // skip the correction as not being a particularly good idea. 15331 bool Diagnose = true; 15332 if (const auto *D = Corrected.getCorrectionDecl()) 15333 Diagnose = !D->isImplicit(); 15334 if (Diagnose) 15335 diagnoseTypo(Corrected, PDiag(diag::note_function_suggestion), 15336 /*ErrorRecovery*/ false); 15337 } 15338 15339 // If we found a prior declaration of this function, don't bother building 15340 // another one. We've already pushed that one into scope, so there's nothing 15341 // more to do. 15342 if (ExternCPrev) 15343 return ExternCPrev; 15344 15345 // Set a Declarator for the implicit definition: int foo(); 15346 const char *Dummy; 15347 AttributeFactory attrFactory; 15348 DeclSpec DS(attrFactory); 15349 unsigned DiagID; 15350 bool Error = DS.SetTypeSpecType(DeclSpec::TST_int, Loc, Dummy, DiagID, 15351 Context.getPrintingPolicy()); 15352 (void)Error; // Silence warning. 15353 assert(!Error && "Error setting up implicit decl!"); 15354 SourceLocation NoLoc; 15355 Declarator D(DS, DeclaratorContext::Block); 15356 D.AddTypeInfo(DeclaratorChunk::getFunction(/*HasProto=*/false, 15357 /*IsAmbiguous=*/false, 15358 /*LParenLoc=*/NoLoc, 15359 /*Params=*/nullptr, 15360 /*NumParams=*/0, 15361 /*EllipsisLoc=*/NoLoc, 15362 /*RParenLoc=*/NoLoc, 15363 /*RefQualifierIsLvalueRef=*/true, 15364 /*RefQualifierLoc=*/NoLoc, 15365 /*MutableLoc=*/NoLoc, EST_None, 15366 /*ESpecRange=*/SourceRange(), 15367 /*Exceptions=*/nullptr, 15368 /*ExceptionRanges=*/nullptr, 15369 /*NumExceptions=*/0, 15370 /*NoexceptExpr=*/nullptr, 15371 /*ExceptionSpecTokens=*/nullptr, 15372 /*DeclsInPrototype=*/None, Loc, 15373 Loc, D), 15374 std::move(DS.getAttributes()), SourceLocation()); 15375 D.SetIdentifier(&II, Loc); 15376 15377 // Insert this function into the enclosing block scope. 15378 FunctionDecl *FD = cast<FunctionDecl>(ActOnDeclarator(BlockScope, D)); 15379 FD->setImplicit(); 15380 15381 AddKnownFunctionAttributes(FD); 15382 15383 return FD; 15384 } 15385 15386 /// If this function is a C++ replaceable global allocation function 15387 /// (C++2a [basic.stc.dynamic.allocation], C++2a [new.delete]), 15388 /// adds any function attributes that we know a priori based on the standard. 15389 /// 15390 /// We need to check for duplicate attributes both here and where user-written 15391 /// attributes are applied to declarations. 15392 void Sema::AddKnownFunctionAttributesForReplaceableGlobalAllocationFunction( 15393 FunctionDecl *FD) { 15394 if (FD->isInvalidDecl()) 15395 return; 15396 15397 if (FD->getDeclName().getCXXOverloadedOperator() != OO_New && 15398 FD->getDeclName().getCXXOverloadedOperator() != OO_Array_New) 15399 return; 15400 15401 Optional<unsigned> AlignmentParam; 15402 bool IsNothrow = false; 15403 if (!FD->isReplaceableGlobalAllocationFunction(&AlignmentParam, &IsNothrow)) 15404 return; 15405 15406 // C++2a [basic.stc.dynamic.allocation]p4: 15407 // An allocation function that has a non-throwing exception specification 15408 // indicates failure by returning a null pointer value. Any other allocation 15409 // function never returns a null pointer value and indicates failure only by 15410 // throwing an exception [...] 15411 if (!IsNothrow && !FD->hasAttr<ReturnsNonNullAttr>()) 15412 FD->addAttr(ReturnsNonNullAttr::CreateImplicit(Context, FD->getLocation())); 15413 15414 // C++2a [basic.stc.dynamic.allocation]p2: 15415 // An allocation function attempts to allocate the requested amount of 15416 // storage. [...] If the request succeeds, the value returned by a 15417 // replaceable allocation function is a [...] pointer value p0 different 15418 // from any previously returned value p1 [...] 15419 // 15420 // However, this particular information is being added in codegen, 15421 // because there is an opt-out switch for it (-fno-assume-sane-operator-new) 15422 15423 // C++2a [basic.stc.dynamic.allocation]p2: 15424 // An allocation function attempts to allocate the requested amount of 15425 // storage. If it is successful, it returns the address of the start of a 15426 // block of storage whose length in bytes is at least as large as the 15427 // requested size. 15428 if (!FD->hasAttr<AllocSizeAttr>()) { 15429 FD->addAttr(AllocSizeAttr::CreateImplicit( 15430 Context, /*ElemSizeParam=*/ParamIdx(1, FD), 15431 /*NumElemsParam=*/ParamIdx(), FD->getLocation())); 15432 } 15433 15434 // C++2a [basic.stc.dynamic.allocation]p3: 15435 // For an allocation function [...], the pointer returned on a successful 15436 // call shall represent the address of storage that is aligned as follows: 15437 // (3.1) If the allocation function takes an argument of type 15438 // std::align_val_t, the storage will have the alignment 15439 // specified by the value of this argument. 15440 if (AlignmentParam.hasValue() && !FD->hasAttr<AllocAlignAttr>()) { 15441 FD->addAttr(AllocAlignAttr::CreateImplicit( 15442 Context, ParamIdx(AlignmentParam.getValue(), FD), FD->getLocation())); 15443 } 15444 15445 // FIXME: 15446 // C++2a [basic.stc.dynamic.allocation]p3: 15447 // For an allocation function [...], the pointer returned on a successful 15448 // call shall represent the address of storage that is aligned as follows: 15449 // (3.2) Otherwise, if the allocation function is named operator new[], 15450 // the storage is aligned for any object that does not have 15451 // new-extended alignment ([basic.align]) and is no larger than the 15452 // requested size. 15453 // (3.3) Otherwise, the storage is aligned for any object that does not 15454 // have new-extended alignment and is of the requested size. 15455 } 15456 15457 /// Adds any function attributes that we know a priori based on 15458 /// the declaration of this function. 15459 /// 15460 /// These attributes can apply both to implicitly-declared builtins 15461 /// (like __builtin___printf_chk) or to library-declared functions 15462 /// like NSLog or printf. 15463 /// 15464 /// We need to check for duplicate attributes both here and where user-written 15465 /// attributes are applied to declarations. 15466 void Sema::AddKnownFunctionAttributes(FunctionDecl *FD) { 15467 if (FD->isInvalidDecl()) 15468 return; 15469 15470 // If this is a built-in function, map its builtin attributes to 15471 // actual attributes. 15472 if (unsigned BuiltinID = FD->getBuiltinID()) { 15473 // Handle printf-formatting attributes. 15474 unsigned FormatIdx; 15475 bool HasVAListArg; 15476 if (Context.BuiltinInfo.isPrintfLike(BuiltinID, FormatIdx, HasVAListArg)) { 15477 if (!FD->hasAttr<FormatAttr>()) { 15478 const char *fmt = "printf"; 15479 unsigned int NumParams = FD->getNumParams(); 15480 if (FormatIdx < NumParams && // NumParams may be 0 (e.g. vfprintf) 15481 FD->getParamDecl(FormatIdx)->getType()->isObjCObjectPointerType()) 15482 fmt = "NSString"; 15483 FD->addAttr(FormatAttr::CreateImplicit(Context, 15484 &Context.Idents.get(fmt), 15485 FormatIdx+1, 15486 HasVAListArg ? 0 : FormatIdx+2, 15487 FD->getLocation())); 15488 } 15489 } 15490 if (Context.BuiltinInfo.isScanfLike(BuiltinID, FormatIdx, 15491 HasVAListArg)) { 15492 if (!FD->hasAttr<FormatAttr>()) 15493 FD->addAttr(FormatAttr::CreateImplicit(Context, 15494 &Context.Idents.get("scanf"), 15495 FormatIdx+1, 15496 HasVAListArg ? 0 : FormatIdx+2, 15497 FD->getLocation())); 15498 } 15499 15500 // Handle automatically recognized callbacks. 15501 SmallVector<int, 4> Encoding; 15502 if (!FD->hasAttr<CallbackAttr>() && 15503 Context.BuiltinInfo.performsCallback(BuiltinID, Encoding)) 15504 FD->addAttr(CallbackAttr::CreateImplicit( 15505 Context, Encoding.data(), Encoding.size(), FD->getLocation())); 15506 15507 // Mark const if we don't care about errno and that is the only thing 15508 // preventing the function from being const. This allows IRgen to use LLVM 15509 // intrinsics for such functions. 15510 if (!getLangOpts().MathErrno && !FD->hasAttr<ConstAttr>() && 15511 Context.BuiltinInfo.isConstWithoutErrno(BuiltinID)) 15512 FD->addAttr(ConstAttr::CreateImplicit(Context, FD->getLocation())); 15513 15514 // We make "fma" on GNU or Windows const because we know it does not set 15515 // errno in those environments even though it could set errno based on the 15516 // C standard. 15517 const llvm::Triple &Trip = Context.getTargetInfo().getTriple(); 15518 if ((Trip.isGNUEnvironment() || Trip.isOSMSVCRT()) && 15519 !FD->hasAttr<ConstAttr>()) { 15520 switch (BuiltinID) { 15521 case Builtin::BI__builtin_fma: 15522 case Builtin::BI__builtin_fmaf: 15523 case Builtin::BI__builtin_fmal: 15524 case Builtin::BIfma: 15525 case Builtin::BIfmaf: 15526 case Builtin::BIfmal: 15527 FD->addAttr(ConstAttr::CreateImplicit(Context, FD->getLocation())); 15528 break; 15529 default: 15530 break; 15531 } 15532 } 15533 15534 if (Context.BuiltinInfo.isReturnsTwice(BuiltinID) && 15535 !FD->hasAttr<ReturnsTwiceAttr>()) 15536 FD->addAttr(ReturnsTwiceAttr::CreateImplicit(Context, 15537 FD->getLocation())); 15538 if (Context.BuiltinInfo.isNoThrow(BuiltinID) && !FD->hasAttr<NoThrowAttr>()) 15539 FD->addAttr(NoThrowAttr::CreateImplicit(Context, FD->getLocation())); 15540 if (Context.BuiltinInfo.isPure(BuiltinID) && !FD->hasAttr<PureAttr>()) 15541 FD->addAttr(PureAttr::CreateImplicit(Context, FD->getLocation())); 15542 if (Context.BuiltinInfo.isConst(BuiltinID) && !FD->hasAttr<ConstAttr>()) 15543 FD->addAttr(ConstAttr::CreateImplicit(Context, FD->getLocation())); 15544 if (getLangOpts().CUDA && Context.BuiltinInfo.isTSBuiltin(BuiltinID) && 15545 !FD->hasAttr<CUDADeviceAttr>() && !FD->hasAttr<CUDAHostAttr>()) { 15546 // Add the appropriate attribute, depending on the CUDA compilation mode 15547 // and which target the builtin belongs to. For example, during host 15548 // compilation, aux builtins are __device__, while the rest are __host__. 15549 if (getLangOpts().CUDAIsDevice != 15550 Context.BuiltinInfo.isAuxBuiltinID(BuiltinID)) 15551 FD->addAttr(CUDADeviceAttr::CreateImplicit(Context, FD->getLocation())); 15552 else 15553 FD->addAttr(CUDAHostAttr::CreateImplicit(Context, FD->getLocation())); 15554 } 15555 15556 // Add known guaranteed alignment for allocation functions. 15557 switch (BuiltinID) { 15558 case Builtin::BImemalign: 15559 case Builtin::BIaligned_alloc: 15560 if (!FD->hasAttr<AllocAlignAttr>()) 15561 FD->addAttr(AllocAlignAttr::CreateImplicit(Context, ParamIdx(1, FD), 15562 FD->getLocation())); 15563 break; 15564 default: 15565 break; 15566 } 15567 15568 // Add allocsize attribute for allocation functions. 15569 switch (BuiltinID) { 15570 case Builtin::BIcalloc: 15571 FD->addAttr(AllocSizeAttr::CreateImplicit( 15572 Context, ParamIdx(1, FD), ParamIdx(2, FD), FD->getLocation())); 15573 break; 15574 case Builtin::BImemalign: 15575 case Builtin::BIaligned_alloc: 15576 case Builtin::BIrealloc: 15577 FD->addAttr(AllocSizeAttr::CreateImplicit(Context, ParamIdx(2, FD), 15578 ParamIdx(), FD->getLocation())); 15579 break; 15580 case Builtin::BImalloc: 15581 FD->addAttr(AllocSizeAttr::CreateImplicit(Context, ParamIdx(1, FD), 15582 ParamIdx(), FD->getLocation())); 15583 break; 15584 default: 15585 break; 15586 } 15587 } 15588 15589 AddKnownFunctionAttributesForReplaceableGlobalAllocationFunction(FD); 15590 15591 // If C++ exceptions are enabled but we are told extern "C" functions cannot 15592 // throw, add an implicit nothrow attribute to any extern "C" function we come 15593 // across. 15594 if (getLangOpts().CXXExceptions && getLangOpts().ExternCNoUnwind && 15595 FD->isExternC() && !FD->hasAttr<NoThrowAttr>()) { 15596 const auto *FPT = FD->getType()->getAs<FunctionProtoType>(); 15597 if (!FPT || FPT->getExceptionSpecType() == EST_None) 15598 FD->addAttr(NoThrowAttr::CreateImplicit(Context, FD->getLocation())); 15599 } 15600 15601 IdentifierInfo *Name = FD->getIdentifier(); 15602 if (!Name) 15603 return; 15604 if ((!getLangOpts().CPlusPlus && 15605 FD->getDeclContext()->isTranslationUnit()) || 15606 (isa<LinkageSpecDecl>(FD->getDeclContext()) && 15607 cast<LinkageSpecDecl>(FD->getDeclContext())->getLanguage() == 15608 LinkageSpecDecl::lang_c)) { 15609 // Okay: this could be a libc/libm/Objective-C function we know 15610 // about. 15611 } else 15612 return; 15613 15614 if (Name->isStr("asprintf") || Name->isStr("vasprintf")) { 15615 // FIXME: asprintf and vasprintf aren't C99 functions. Should they be 15616 // target-specific builtins, perhaps? 15617 if (!FD->hasAttr<FormatAttr>()) 15618 FD->addAttr(FormatAttr::CreateImplicit(Context, 15619 &Context.Idents.get("printf"), 2, 15620 Name->isStr("vasprintf") ? 0 : 3, 15621 FD->getLocation())); 15622 } 15623 15624 if (Name->isStr("__CFStringMakeConstantString")) { 15625 // We already have a __builtin___CFStringMakeConstantString, 15626 // but builds that use -fno-constant-cfstrings don't go through that. 15627 if (!FD->hasAttr<FormatArgAttr>()) 15628 FD->addAttr(FormatArgAttr::CreateImplicit(Context, ParamIdx(1, FD), 15629 FD->getLocation())); 15630 } 15631 } 15632 15633 TypedefDecl *Sema::ParseTypedefDecl(Scope *S, Declarator &D, QualType T, 15634 TypeSourceInfo *TInfo) { 15635 assert(D.getIdentifier() && "Wrong callback for declspec without declarator"); 15636 assert(!T.isNull() && "GetTypeForDeclarator() returned null type"); 15637 15638 if (!TInfo) { 15639 assert(D.isInvalidType() && "no declarator info for valid type"); 15640 TInfo = Context.getTrivialTypeSourceInfo(T); 15641 } 15642 15643 // Scope manipulation handled by caller. 15644 TypedefDecl *NewTD = 15645 TypedefDecl::Create(Context, CurContext, D.getBeginLoc(), 15646 D.getIdentifierLoc(), D.getIdentifier(), TInfo); 15647 15648 // Bail out immediately if we have an invalid declaration. 15649 if (D.isInvalidType()) { 15650 NewTD->setInvalidDecl(); 15651 return NewTD; 15652 } 15653 15654 if (D.getDeclSpec().isModulePrivateSpecified()) { 15655 if (CurContext->isFunctionOrMethod()) 15656 Diag(NewTD->getLocation(), diag::err_module_private_local) 15657 << 2 << NewTD 15658 << SourceRange(D.getDeclSpec().getModulePrivateSpecLoc()) 15659 << FixItHint::CreateRemoval( 15660 D.getDeclSpec().getModulePrivateSpecLoc()); 15661 else 15662 NewTD->setModulePrivate(); 15663 } 15664 15665 // C++ [dcl.typedef]p8: 15666 // If the typedef declaration defines an unnamed class (or 15667 // enum), the first typedef-name declared by the declaration 15668 // to be that class type (or enum type) is used to denote the 15669 // class type (or enum type) for linkage purposes only. 15670 // We need to check whether the type was declared in the declaration. 15671 switch (D.getDeclSpec().getTypeSpecType()) { 15672 case TST_enum: 15673 case TST_struct: 15674 case TST_interface: 15675 case TST_union: 15676 case TST_class: { 15677 TagDecl *tagFromDeclSpec = cast<TagDecl>(D.getDeclSpec().getRepAsDecl()); 15678 setTagNameForLinkagePurposes(tagFromDeclSpec, NewTD); 15679 break; 15680 } 15681 15682 default: 15683 break; 15684 } 15685 15686 return NewTD; 15687 } 15688 15689 /// Check that this is a valid underlying type for an enum declaration. 15690 bool Sema::CheckEnumUnderlyingType(TypeSourceInfo *TI) { 15691 SourceLocation UnderlyingLoc = TI->getTypeLoc().getBeginLoc(); 15692 QualType T = TI->getType(); 15693 15694 if (T->isDependentType()) 15695 return false; 15696 15697 // This doesn't use 'isIntegralType' despite the error message mentioning 15698 // integral type because isIntegralType would also allow enum types in C. 15699 if (const BuiltinType *BT = T->getAs<BuiltinType>()) 15700 if (BT->isInteger()) 15701 return false; 15702 15703 if (T->isBitIntType()) 15704 return false; 15705 15706 return Diag(UnderlyingLoc, diag::err_enum_invalid_underlying) << T; 15707 } 15708 15709 /// Check whether this is a valid redeclaration of a previous enumeration. 15710 /// \return true if the redeclaration was invalid. 15711 bool Sema::CheckEnumRedeclaration(SourceLocation EnumLoc, bool IsScoped, 15712 QualType EnumUnderlyingTy, bool IsFixed, 15713 const EnumDecl *Prev) { 15714 if (IsScoped != Prev->isScoped()) { 15715 Diag(EnumLoc, diag::err_enum_redeclare_scoped_mismatch) 15716 << Prev->isScoped(); 15717 Diag(Prev->getLocation(), diag::note_previous_declaration); 15718 return true; 15719 } 15720 15721 if (IsFixed && Prev->isFixed()) { 15722 if (!EnumUnderlyingTy->isDependentType() && 15723 !Prev->getIntegerType()->isDependentType() && 15724 !Context.hasSameUnqualifiedType(EnumUnderlyingTy, 15725 Prev->getIntegerType())) { 15726 // TODO: Highlight the underlying type of the redeclaration. 15727 Diag(EnumLoc, diag::err_enum_redeclare_type_mismatch) 15728 << EnumUnderlyingTy << Prev->getIntegerType(); 15729 Diag(Prev->getLocation(), diag::note_previous_declaration) 15730 << Prev->getIntegerTypeRange(); 15731 return true; 15732 } 15733 } else if (IsFixed != Prev->isFixed()) { 15734 Diag(EnumLoc, diag::err_enum_redeclare_fixed_mismatch) 15735 << Prev->isFixed(); 15736 Diag(Prev->getLocation(), diag::note_previous_declaration); 15737 return true; 15738 } 15739 15740 return false; 15741 } 15742 15743 /// Get diagnostic %select index for tag kind for 15744 /// redeclaration diagnostic message. 15745 /// WARNING: Indexes apply to particular diagnostics only! 15746 /// 15747 /// \returns diagnostic %select index. 15748 static unsigned getRedeclDiagFromTagKind(TagTypeKind Tag) { 15749 switch (Tag) { 15750 case TTK_Struct: return 0; 15751 case TTK_Interface: return 1; 15752 case TTK_Class: return 2; 15753 default: llvm_unreachable("Invalid tag kind for redecl diagnostic!"); 15754 } 15755 } 15756 15757 /// Determine if tag kind is a class-key compatible with 15758 /// class for redeclaration (class, struct, or __interface). 15759 /// 15760 /// \returns true iff the tag kind is compatible. 15761 static bool isClassCompatTagKind(TagTypeKind Tag) 15762 { 15763 return Tag == TTK_Struct || Tag == TTK_Class || Tag == TTK_Interface; 15764 } 15765 15766 Sema::NonTagKind Sema::getNonTagTypeDeclKind(const Decl *PrevDecl, 15767 TagTypeKind TTK) { 15768 if (isa<TypedefDecl>(PrevDecl)) 15769 return NTK_Typedef; 15770 else if (isa<TypeAliasDecl>(PrevDecl)) 15771 return NTK_TypeAlias; 15772 else if (isa<ClassTemplateDecl>(PrevDecl)) 15773 return NTK_Template; 15774 else if (isa<TypeAliasTemplateDecl>(PrevDecl)) 15775 return NTK_TypeAliasTemplate; 15776 else if (isa<TemplateTemplateParmDecl>(PrevDecl)) 15777 return NTK_TemplateTemplateArgument; 15778 switch (TTK) { 15779 case TTK_Struct: 15780 case TTK_Interface: 15781 case TTK_Class: 15782 return getLangOpts().CPlusPlus ? NTK_NonClass : NTK_NonStruct; 15783 case TTK_Union: 15784 return NTK_NonUnion; 15785 case TTK_Enum: 15786 return NTK_NonEnum; 15787 } 15788 llvm_unreachable("invalid TTK"); 15789 } 15790 15791 /// Determine whether a tag with a given kind is acceptable 15792 /// as a redeclaration of the given tag declaration. 15793 /// 15794 /// \returns true if the new tag kind is acceptable, false otherwise. 15795 bool Sema::isAcceptableTagRedeclaration(const TagDecl *Previous, 15796 TagTypeKind NewTag, bool isDefinition, 15797 SourceLocation NewTagLoc, 15798 const IdentifierInfo *Name) { 15799 // C++ [dcl.type.elab]p3: 15800 // The class-key or enum keyword present in the 15801 // elaborated-type-specifier shall agree in kind with the 15802 // declaration to which the name in the elaborated-type-specifier 15803 // refers. This rule also applies to the form of 15804 // elaborated-type-specifier that declares a class-name or 15805 // friend class since it can be construed as referring to the 15806 // definition of the class. Thus, in any 15807 // elaborated-type-specifier, the enum keyword shall be used to 15808 // refer to an enumeration (7.2), the union class-key shall be 15809 // used to refer to a union (clause 9), and either the class or 15810 // struct class-key shall be used to refer to a class (clause 9) 15811 // declared using the class or struct class-key. 15812 TagTypeKind OldTag = Previous->getTagKind(); 15813 if (OldTag != NewTag && 15814 !(isClassCompatTagKind(OldTag) && isClassCompatTagKind(NewTag))) 15815 return false; 15816 15817 // Tags are compatible, but we might still want to warn on mismatched tags. 15818 // Non-class tags can't be mismatched at this point. 15819 if (!isClassCompatTagKind(NewTag)) 15820 return true; 15821 15822 // Declarations for which -Wmismatched-tags is disabled are entirely ignored 15823 // by our warning analysis. We don't want to warn about mismatches with (eg) 15824 // declarations in system headers that are designed to be specialized, but if 15825 // a user asks us to warn, we should warn if their code contains mismatched 15826 // declarations. 15827 auto IsIgnoredLoc = [&](SourceLocation Loc) { 15828 return getDiagnostics().isIgnored(diag::warn_struct_class_tag_mismatch, 15829 Loc); 15830 }; 15831 if (IsIgnoredLoc(NewTagLoc)) 15832 return true; 15833 15834 auto IsIgnored = [&](const TagDecl *Tag) { 15835 return IsIgnoredLoc(Tag->getLocation()); 15836 }; 15837 while (IsIgnored(Previous)) { 15838 Previous = Previous->getPreviousDecl(); 15839 if (!Previous) 15840 return true; 15841 OldTag = Previous->getTagKind(); 15842 } 15843 15844 bool isTemplate = false; 15845 if (const CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(Previous)) 15846 isTemplate = Record->getDescribedClassTemplate(); 15847 15848 if (inTemplateInstantiation()) { 15849 if (OldTag != NewTag) { 15850 // In a template instantiation, do not offer fix-its for tag mismatches 15851 // since they usually mess up the template instead of fixing the problem. 15852 Diag(NewTagLoc, diag::warn_struct_class_tag_mismatch) 15853 << getRedeclDiagFromTagKind(NewTag) << isTemplate << Name 15854 << getRedeclDiagFromTagKind(OldTag); 15855 // FIXME: Note previous location? 15856 } 15857 return true; 15858 } 15859 15860 if (isDefinition) { 15861 // On definitions, check all previous tags and issue a fix-it for each 15862 // one that doesn't match the current tag. 15863 if (Previous->getDefinition()) { 15864 // Don't suggest fix-its for redefinitions. 15865 return true; 15866 } 15867 15868 bool previousMismatch = false; 15869 for (const TagDecl *I : Previous->redecls()) { 15870 if (I->getTagKind() != NewTag) { 15871 // Ignore previous declarations for which the warning was disabled. 15872 if (IsIgnored(I)) 15873 continue; 15874 15875 if (!previousMismatch) { 15876 previousMismatch = true; 15877 Diag(NewTagLoc, diag::warn_struct_class_previous_tag_mismatch) 15878 << getRedeclDiagFromTagKind(NewTag) << isTemplate << Name 15879 << getRedeclDiagFromTagKind(I->getTagKind()); 15880 } 15881 Diag(I->getInnerLocStart(), diag::note_struct_class_suggestion) 15882 << getRedeclDiagFromTagKind(NewTag) 15883 << FixItHint::CreateReplacement(I->getInnerLocStart(), 15884 TypeWithKeyword::getTagTypeKindName(NewTag)); 15885 } 15886 } 15887 return true; 15888 } 15889 15890 // Identify the prevailing tag kind: this is the kind of the definition (if 15891 // there is a non-ignored definition), or otherwise the kind of the prior 15892 // (non-ignored) declaration. 15893 const TagDecl *PrevDef = Previous->getDefinition(); 15894 if (PrevDef && IsIgnored(PrevDef)) 15895 PrevDef = nullptr; 15896 const TagDecl *Redecl = PrevDef ? PrevDef : Previous; 15897 if (Redecl->getTagKind() != NewTag) { 15898 Diag(NewTagLoc, diag::warn_struct_class_tag_mismatch) 15899 << getRedeclDiagFromTagKind(NewTag) << isTemplate << Name 15900 << getRedeclDiagFromTagKind(OldTag); 15901 Diag(Redecl->getLocation(), diag::note_previous_use); 15902 15903 // If there is a previous definition, suggest a fix-it. 15904 if (PrevDef) { 15905 Diag(NewTagLoc, diag::note_struct_class_suggestion) 15906 << getRedeclDiagFromTagKind(Redecl->getTagKind()) 15907 << FixItHint::CreateReplacement(SourceRange(NewTagLoc), 15908 TypeWithKeyword::getTagTypeKindName(Redecl->getTagKind())); 15909 } 15910 } 15911 15912 return true; 15913 } 15914 15915 /// Add a minimal nested name specifier fixit hint to allow lookup of a tag name 15916 /// from an outer enclosing namespace or file scope inside a friend declaration. 15917 /// This should provide the commented out code in the following snippet: 15918 /// namespace N { 15919 /// struct X; 15920 /// namespace M { 15921 /// struct Y { friend struct /*N::*/ X; }; 15922 /// } 15923 /// } 15924 static FixItHint createFriendTagNNSFixIt(Sema &SemaRef, NamedDecl *ND, Scope *S, 15925 SourceLocation NameLoc) { 15926 // While the decl is in a namespace, do repeated lookup of that name and see 15927 // if we get the same namespace back. If we do not, continue until 15928 // translation unit scope, at which point we have a fully qualified NNS. 15929 SmallVector<IdentifierInfo *, 4> Namespaces; 15930 DeclContext *DC = ND->getDeclContext()->getRedeclContext(); 15931 for (; !DC->isTranslationUnit(); DC = DC->getParent()) { 15932 // This tag should be declared in a namespace, which can only be enclosed by 15933 // other namespaces. Bail if there's an anonymous namespace in the chain. 15934 NamespaceDecl *Namespace = dyn_cast<NamespaceDecl>(DC); 15935 if (!Namespace || Namespace->isAnonymousNamespace()) 15936 return FixItHint(); 15937 IdentifierInfo *II = Namespace->getIdentifier(); 15938 Namespaces.push_back(II); 15939 NamedDecl *Lookup = SemaRef.LookupSingleName( 15940 S, II, NameLoc, Sema::LookupNestedNameSpecifierName); 15941 if (Lookup == Namespace) 15942 break; 15943 } 15944 15945 // Once we have all the namespaces, reverse them to go outermost first, and 15946 // build an NNS. 15947 SmallString<64> Insertion; 15948 llvm::raw_svector_ostream OS(Insertion); 15949 if (DC->isTranslationUnit()) 15950 OS << "::"; 15951 std::reverse(Namespaces.begin(), Namespaces.end()); 15952 for (auto *II : Namespaces) 15953 OS << II->getName() << "::"; 15954 return FixItHint::CreateInsertion(NameLoc, Insertion); 15955 } 15956 15957 /// Determine whether a tag originally declared in context \p OldDC can 15958 /// be redeclared with an unqualified name in \p NewDC (assuming name lookup 15959 /// found a declaration in \p OldDC as a previous decl, perhaps through a 15960 /// using-declaration). 15961 static bool isAcceptableTagRedeclContext(Sema &S, DeclContext *OldDC, 15962 DeclContext *NewDC) { 15963 OldDC = OldDC->getRedeclContext(); 15964 NewDC = NewDC->getRedeclContext(); 15965 15966 if (OldDC->Equals(NewDC)) 15967 return true; 15968 15969 // In MSVC mode, we allow a redeclaration if the contexts are related (either 15970 // encloses the other). 15971 if (S.getLangOpts().MSVCCompat && 15972 (OldDC->Encloses(NewDC) || NewDC->Encloses(OldDC))) 15973 return true; 15974 15975 return false; 15976 } 15977 15978 /// This is invoked when we see 'struct foo' or 'struct {'. In the 15979 /// former case, Name will be non-null. In the later case, Name will be null. 15980 /// TagSpec indicates what kind of tag this is. TUK indicates whether this is a 15981 /// reference/declaration/definition of a tag. 15982 /// 15983 /// \param IsTypeSpecifier \c true if this is a type-specifier (or 15984 /// trailing-type-specifier) other than one in an alias-declaration. 15985 /// 15986 /// \param SkipBody If non-null, will be set to indicate if the caller should 15987 /// skip the definition of this tag and treat it as if it were a declaration. 15988 Decl *Sema::ActOnTag(Scope *S, unsigned TagSpec, TagUseKind TUK, 15989 SourceLocation KWLoc, CXXScopeSpec &SS, 15990 IdentifierInfo *Name, SourceLocation NameLoc, 15991 const ParsedAttributesView &Attrs, AccessSpecifier AS, 15992 SourceLocation ModulePrivateLoc, 15993 MultiTemplateParamsArg TemplateParameterLists, 15994 bool &OwnedDecl, bool &IsDependent, 15995 SourceLocation ScopedEnumKWLoc, 15996 bool ScopedEnumUsesClassTag, TypeResult UnderlyingType, 15997 bool IsTypeSpecifier, bool IsTemplateParamOrArg, 15998 SkipBodyInfo *SkipBody) { 15999 // If this is not a definition, it must have a name. 16000 IdentifierInfo *OrigName = Name; 16001 assert((Name != nullptr || TUK == TUK_Definition) && 16002 "Nameless record must be a definition!"); 16003 assert(TemplateParameterLists.size() == 0 || TUK != TUK_Reference); 16004 16005 OwnedDecl = false; 16006 TagTypeKind Kind = TypeWithKeyword::getTagTypeKindForTypeSpec(TagSpec); 16007 bool ScopedEnum = ScopedEnumKWLoc.isValid(); 16008 16009 // FIXME: Check member specializations more carefully. 16010 bool isMemberSpecialization = false; 16011 bool Invalid = false; 16012 16013 // We only need to do this matching if we have template parameters 16014 // or a scope specifier, which also conveniently avoids this work 16015 // for non-C++ cases. 16016 if (TemplateParameterLists.size() > 0 || 16017 (SS.isNotEmpty() && TUK != TUK_Reference)) { 16018 if (TemplateParameterList *TemplateParams = 16019 MatchTemplateParametersToScopeSpecifier( 16020 KWLoc, NameLoc, SS, nullptr, TemplateParameterLists, 16021 TUK == TUK_Friend, isMemberSpecialization, Invalid)) { 16022 if (Kind == TTK_Enum) { 16023 Diag(KWLoc, diag::err_enum_template); 16024 return nullptr; 16025 } 16026 16027 if (TemplateParams->size() > 0) { 16028 // This is a declaration or definition of a class template (which may 16029 // be a member of another template). 16030 16031 if (Invalid) 16032 return nullptr; 16033 16034 OwnedDecl = false; 16035 DeclResult Result = CheckClassTemplate( 16036 S, TagSpec, TUK, KWLoc, SS, Name, NameLoc, Attrs, TemplateParams, 16037 AS, ModulePrivateLoc, 16038 /*FriendLoc*/ SourceLocation(), TemplateParameterLists.size() - 1, 16039 TemplateParameterLists.data(), SkipBody); 16040 return Result.get(); 16041 } else { 16042 // The "template<>" header is extraneous. 16043 Diag(TemplateParams->getTemplateLoc(), diag::err_template_tag_noparams) 16044 << TypeWithKeyword::getTagTypeKindName(Kind) << Name; 16045 isMemberSpecialization = true; 16046 } 16047 } 16048 16049 if (!TemplateParameterLists.empty() && isMemberSpecialization && 16050 CheckTemplateDeclScope(S, TemplateParameterLists.back())) 16051 return nullptr; 16052 } 16053 16054 // Figure out the underlying type if this a enum declaration. We need to do 16055 // this early, because it's needed to detect if this is an incompatible 16056 // redeclaration. 16057 llvm::PointerUnion<const Type*, TypeSourceInfo*> EnumUnderlying; 16058 bool IsFixed = !UnderlyingType.isUnset() || ScopedEnum; 16059 16060 if (Kind == TTK_Enum) { 16061 if (UnderlyingType.isInvalid() || (!UnderlyingType.get() && ScopedEnum)) { 16062 // No underlying type explicitly specified, or we failed to parse the 16063 // type, default to int. 16064 EnumUnderlying = Context.IntTy.getTypePtr(); 16065 } else if (UnderlyingType.get()) { 16066 // C++0x 7.2p2: The type-specifier-seq of an enum-base shall name an 16067 // integral type; any cv-qualification is ignored. 16068 TypeSourceInfo *TI = nullptr; 16069 GetTypeFromParser(UnderlyingType.get(), &TI); 16070 EnumUnderlying = TI; 16071 16072 if (CheckEnumUnderlyingType(TI)) 16073 // Recover by falling back to int. 16074 EnumUnderlying = Context.IntTy.getTypePtr(); 16075 16076 if (DiagnoseUnexpandedParameterPack(TI->getTypeLoc().getBeginLoc(), TI, 16077 UPPC_FixedUnderlyingType)) 16078 EnumUnderlying = Context.IntTy.getTypePtr(); 16079 16080 } else if (Context.getTargetInfo().getTriple().isWindowsMSVCEnvironment()) { 16081 // For MSVC ABI compatibility, unfixed enums must use an underlying type 16082 // of 'int'. However, if this is an unfixed forward declaration, don't set 16083 // the underlying type unless the user enables -fms-compatibility. This 16084 // makes unfixed forward declared enums incomplete and is more conforming. 16085 if (TUK == TUK_Definition || getLangOpts().MSVCCompat) 16086 EnumUnderlying = Context.IntTy.getTypePtr(); 16087 } 16088 } 16089 16090 DeclContext *SearchDC = CurContext; 16091 DeclContext *DC = CurContext; 16092 bool isStdBadAlloc = false; 16093 bool isStdAlignValT = false; 16094 16095 RedeclarationKind Redecl = forRedeclarationInCurContext(); 16096 if (TUK == TUK_Friend || TUK == TUK_Reference) 16097 Redecl = NotForRedeclaration; 16098 16099 /// Create a new tag decl in C/ObjC. Since the ODR-like semantics for ObjC/C 16100 /// implemented asks for structural equivalence checking, the returned decl 16101 /// here is passed back to the parser, allowing the tag body to be parsed. 16102 auto createTagFromNewDecl = [&]() -> TagDecl * { 16103 assert(!getLangOpts().CPlusPlus && "not meant for C++ usage"); 16104 // If there is an identifier, use the location of the identifier as the 16105 // location of the decl, otherwise use the location of the struct/union 16106 // keyword. 16107 SourceLocation Loc = NameLoc.isValid() ? NameLoc : KWLoc; 16108 TagDecl *New = nullptr; 16109 16110 if (Kind == TTK_Enum) { 16111 New = EnumDecl::Create(Context, SearchDC, KWLoc, Loc, Name, nullptr, 16112 ScopedEnum, ScopedEnumUsesClassTag, IsFixed); 16113 // If this is an undefined enum, bail. 16114 if (TUK != TUK_Definition && !Invalid) 16115 return nullptr; 16116 if (EnumUnderlying) { 16117 EnumDecl *ED = cast<EnumDecl>(New); 16118 if (TypeSourceInfo *TI = EnumUnderlying.dyn_cast<TypeSourceInfo *>()) 16119 ED->setIntegerTypeSourceInfo(TI); 16120 else 16121 ED->setIntegerType(QualType(EnumUnderlying.get<const Type *>(), 0)); 16122 ED->setPromotionType(ED->getIntegerType()); 16123 } 16124 } else { // struct/union 16125 New = RecordDecl::Create(Context, Kind, SearchDC, KWLoc, Loc, Name, 16126 nullptr); 16127 } 16128 16129 if (RecordDecl *RD = dyn_cast<RecordDecl>(New)) { 16130 // Add alignment attributes if necessary; these attributes are checked 16131 // when the ASTContext lays out the structure. 16132 // 16133 // It is important for implementing the correct semantics that this 16134 // happen here (in ActOnTag). The #pragma pack stack is 16135 // maintained as a result of parser callbacks which can occur at 16136 // many points during the parsing of a struct declaration (because 16137 // the #pragma tokens are effectively skipped over during the 16138 // parsing of the struct). 16139 if (TUK == TUK_Definition && (!SkipBody || !SkipBody->ShouldSkip)) { 16140 AddAlignmentAttributesForRecord(RD); 16141 AddMsStructLayoutForRecord(RD); 16142 } 16143 } 16144 New->setLexicalDeclContext(CurContext); 16145 return New; 16146 }; 16147 16148 LookupResult Previous(*this, Name, NameLoc, LookupTagName, Redecl); 16149 if (Name && SS.isNotEmpty()) { 16150 // We have a nested-name tag ('struct foo::bar'). 16151 16152 // Check for invalid 'foo::'. 16153 if (SS.isInvalid()) { 16154 Name = nullptr; 16155 goto CreateNewDecl; 16156 } 16157 16158 // If this is a friend or a reference to a class in a dependent 16159 // context, don't try to make a decl for it. 16160 if (TUK == TUK_Friend || TUK == TUK_Reference) { 16161 DC = computeDeclContext(SS, false); 16162 if (!DC) { 16163 IsDependent = true; 16164 return nullptr; 16165 } 16166 } else { 16167 DC = computeDeclContext(SS, true); 16168 if (!DC) { 16169 Diag(SS.getRange().getBegin(), diag::err_dependent_nested_name_spec) 16170 << SS.getRange(); 16171 return nullptr; 16172 } 16173 } 16174 16175 if (RequireCompleteDeclContext(SS, DC)) 16176 return nullptr; 16177 16178 SearchDC = DC; 16179 // Look-up name inside 'foo::'. 16180 LookupQualifiedName(Previous, DC); 16181 16182 if (Previous.isAmbiguous()) 16183 return nullptr; 16184 16185 if (Previous.empty()) { 16186 // Name lookup did not find anything. However, if the 16187 // nested-name-specifier refers to the current instantiation, 16188 // and that current instantiation has any dependent base 16189 // classes, we might find something at instantiation time: treat 16190 // this as a dependent elaborated-type-specifier. 16191 // But this only makes any sense for reference-like lookups. 16192 if (Previous.wasNotFoundInCurrentInstantiation() && 16193 (TUK == TUK_Reference || TUK == TUK_Friend)) { 16194 IsDependent = true; 16195 return nullptr; 16196 } 16197 16198 // A tag 'foo::bar' must already exist. 16199 Diag(NameLoc, diag::err_not_tag_in_scope) 16200 << Kind << Name << DC << SS.getRange(); 16201 Name = nullptr; 16202 Invalid = true; 16203 goto CreateNewDecl; 16204 } 16205 } else if (Name) { 16206 // C++14 [class.mem]p14: 16207 // If T is the name of a class, then each of the following shall have a 16208 // name different from T: 16209 // -- every member of class T that is itself a type 16210 if (TUK != TUK_Reference && TUK != TUK_Friend && 16211 DiagnoseClassNameShadow(SearchDC, DeclarationNameInfo(Name, NameLoc))) 16212 return nullptr; 16213 16214 // If this is a named struct, check to see if there was a previous forward 16215 // declaration or definition. 16216 // FIXME: We're looking into outer scopes here, even when we 16217 // shouldn't be. Doing so can result in ambiguities that we 16218 // shouldn't be diagnosing. 16219 LookupName(Previous, S); 16220 16221 // When declaring or defining a tag, ignore ambiguities introduced 16222 // by types using'ed into this scope. 16223 if (Previous.isAmbiguous() && 16224 (TUK == TUK_Definition || TUK == TUK_Declaration)) { 16225 LookupResult::Filter F = Previous.makeFilter(); 16226 while (F.hasNext()) { 16227 NamedDecl *ND = F.next(); 16228 if (!ND->getDeclContext()->getRedeclContext()->Equals( 16229 SearchDC->getRedeclContext())) 16230 F.erase(); 16231 } 16232 F.done(); 16233 } 16234 16235 // C++11 [namespace.memdef]p3: 16236 // If the name in a friend declaration is neither qualified nor 16237 // a template-id and the declaration is a function or an 16238 // elaborated-type-specifier, the lookup to determine whether 16239 // the entity has been previously declared shall not consider 16240 // any scopes outside the innermost enclosing namespace. 16241 // 16242 // MSVC doesn't implement the above rule for types, so a friend tag 16243 // declaration may be a redeclaration of a type declared in an enclosing 16244 // scope. They do implement this rule for friend functions. 16245 // 16246 // Does it matter that this should be by scope instead of by 16247 // semantic context? 16248 if (!Previous.empty() && TUK == TUK_Friend) { 16249 DeclContext *EnclosingNS = SearchDC->getEnclosingNamespaceContext(); 16250 LookupResult::Filter F = Previous.makeFilter(); 16251 bool FriendSawTagOutsideEnclosingNamespace = false; 16252 while (F.hasNext()) { 16253 NamedDecl *ND = F.next(); 16254 DeclContext *DC = ND->getDeclContext()->getRedeclContext(); 16255 if (DC->isFileContext() && 16256 !EnclosingNS->Encloses(ND->getDeclContext())) { 16257 if (getLangOpts().MSVCCompat) 16258 FriendSawTagOutsideEnclosingNamespace = true; 16259 else 16260 F.erase(); 16261 } 16262 } 16263 F.done(); 16264 16265 // Diagnose this MSVC extension in the easy case where lookup would have 16266 // unambiguously found something outside the enclosing namespace. 16267 if (Previous.isSingleResult() && FriendSawTagOutsideEnclosingNamespace) { 16268 NamedDecl *ND = Previous.getFoundDecl(); 16269 Diag(NameLoc, diag::ext_friend_tag_redecl_outside_namespace) 16270 << createFriendTagNNSFixIt(*this, ND, S, NameLoc); 16271 } 16272 } 16273 16274 // Note: there used to be some attempt at recovery here. 16275 if (Previous.isAmbiguous()) 16276 return nullptr; 16277 16278 if (!getLangOpts().CPlusPlus && TUK != TUK_Reference) { 16279 // FIXME: This makes sure that we ignore the contexts associated 16280 // with C structs, unions, and enums when looking for a matching 16281 // tag declaration or definition. See the similar lookup tweak 16282 // in Sema::LookupName; is there a better way to deal with this? 16283 while (isa<RecordDecl, EnumDecl, ObjCContainerDecl>(SearchDC)) 16284 SearchDC = SearchDC->getParent(); 16285 } else if (getLangOpts().CPlusPlus) { 16286 // Inside ObjCContainer want to keep it as a lexical decl context but go 16287 // past it (most often to TranslationUnit) to find the semantic decl 16288 // context. 16289 while (isa<ObjCContainerDecl>(SearchDC)) 16290 SearchDC = SearchDC->getParent(); 16291 } 16292 } else if (getLangOpts().CPlusPlus) { 16293 // Don't use ObjCContainerDecl as the semantic decl context for anonymous 16294 // TagDecl the same way as we skip it for named TagDecl. 16295 while (isa<ObjCContainerDecl>(SearchDC)) 16296 SearchDC = SearchDC->getParent(); 16297 } 16298 16299 if (Previous.isSingleResult() && 16300 Previous.getFoundDecl()->isTemplateParameter()) { 16301 // Maybe we will complain about the shadowed template parameter. 16302 DiagnoseTemplateParameterShadow(NameLoc, Previous.getFoundDecl()); 16303 // Just pretend that we didn't see the previous declaration. 16304 Previous.clear(); 16305 } 16306 16307 if (getLangOpts().CPlusPlus && Name && DC && StdNamespace && 16308 DC->Equals(getStdNamespace())) { 16309 if (Name->isStr("bad_alloc")) { 16310 // This is a declaration of or a reference to "std::bad_alloc". 16311 isStdBadAlloc = true; 16312 16313 // If std::bad_alloc has been implicitly declared (but made invisible to 16314 // name lookup), fill in this implicit declaration as the previous 16315 // declaration, so that the declarations get chained appropriately. 16316 if (Previous.empty() && StdBadAlloc) 16317 Previous.addDecl(getStdBadAlloc()); 16318 } else if (Name->isStr("align_val_t")) { 16319 isStdAlignValT = true; 16320 if (Previous.empty() && StdAlignValT) 16321 Previous.addDecl(getStdAlignValT()); 16322 } 16323 } 16324 16325 // If we didn't find a previous declaration, and this is a reference 16326 // (or friend reference), move to the correct scope. In C++, we 16327 // also need to do a redeclaration lookup there, just in case 16328 // there's a shadow friend decl. 16329 if (Name && Previous.empty() && 16330 (TUK == TUK_Reference || TUK == TUK_Friend || IsTemplateParamOrArg)) { 16331 if (Invalid) goto CreateNewDecl; 16332 assert(SS.isEmpty()); 16333 16334 if (TUK == TUK_Reference || IsTemplateParamOrArg) { 16335 // C++ [basic.scope.pdecl]p5: 16336 // -- for an elaborated-type-specifier of the form 16337 // 16338 // class-key identifier 16339 // 16340 // if the elaborated-type-specifier is used in the 16341 // decl-specifier-seq or parameter-declaration-clause of a 16342 // function defined in namespace scope, the identifier is 16343 // declared as a class-name in the namespace that contains 16344 // the declaration; otherwise, except as a friend 16345 // declaration, the identifier is declared in the smallest 16346 // non-class, non-function-prototype scope that contains the 16347 // declaration. 16348 // 16349 // C99 6.7.2.3p8 has a similar (but not identical!) provision for 16350 // C structs and unions. 16351 // 16352 // It is an error in C++ to declare (rather than define) an enum 16353 // type, including via an elaborated type specifier. We'll 16354 // diagnose that later; for now, declare the enum in the same 16355 // scope as we would have picked for any other tag type. 16356 // 16357 // GNU C also supports this behavior as part of its incomplete 16358 // enum types extension, while GNU C++ does not. 16359 // 16360 // Find the context where we'll be declaring the tag. 16361 // FIXME: We would like to maintain the current DeclContext as the 16362 // lexical context, 16363 SearchDC = getTagInjectionContext(SearchDC); 16364 16365 // Find the scope where we'll be declaring the tag. 16366 S = getTagInjectionScope(S, getLangOpts()); 16367 } else { 16368 assert(TUK == TUK_Friend); 16369 // C++ [namespace.memdef]p3: 16370 // If a friend declaration in a non-local class first declares a 16371 // class or function, the friend class or function is a member of 16372 // the innermost enclosing namespace. 16373 SearchDC = SearchDC->getEnclosingNamespaceContext(); 16374 } 16375 16376 // In C++, we need to do a redeclaration lookup to properly 16377 // diagnose some problems. 16378 // FIXME: redeclaration lookup is also used (with and without C++) to find a 16379 // hidden declaration so that we don't get ambiguity errors when using a 16380 // type declared by an elaborated-type-specifier. In C that is not correct 16381 // and we should instead merge compatible types found by lookup. 16382 if (getLangOpts().CPlusPlus) { 16383 // FIXME: This can perform qualified lookups into function contexts, 16384 // which are meaningless. 16385 Previous.setRedeclarationKind(forRedeclarationInCurContext()); 16386 LookupQualifiedName(Previous, SearchDC); 16387 } else { 16388 Previous.setRedeclarationKind(forRedeclarationInCurContext()); 16389 LookupName(Previous, S); 16390 } 16391 } 16392 16393 // If we have a known previous declaration to use, then use it. 16394 if (Previous.empty() && SkipBody && SkipBody->Previous) 16395 Previous.addDecl(SkipBody->Previous); 16396 16397 if (!Previous.empty()) { 16398 NamedDecl *PrevDecl = Previous.getFoundDecl(); 16399 NamedDecl *DirectPrevDecl = Previous.getRepresentativeDecl(); 16400 16401 // It's okay to have a tag decl in the same scope as a typedef 16402 // which hides a tag decl in the same scope. Finding this 16403 // with a redeclaration lookup can only actually happen in C++. 16404 // 16405 // This is also okay for elaborated-type-specifiers, which is 16406 // technically forbidden by the current standard but which is 16407 // okay according to the likely resolution of an open issue; 16408 // see http://www.open-std.org/jtc1/sc22/wg21/docs/cwg_active.html#407 16409 if (getLangOpts().CPlusPlus) { 16410 if (TypedefNameDecl *TD = dyn_cast<TypedefNameDecl>(PrevDecl)) { 16411 if (const TagType *TT = TD->getUnderlyingType()->getAs<TagType>()) { 16412 TagDecl *Tag = TT->getDecl(); 16413 if (Tag->getDeclName() == Name && 16414 Tag->getDeclContext()->getRedeclContext() 16415 ->Equals(TD->getDeclContext()->getRedeclContext())) { 16416 PrevDecl = Tag; 16417 Previous.clear(); 16418 Previous.addDecl(Tag); 16419 Previous.resolveKind(); 16420 } 16421 } 16422 } 16423 } 16424 16425 // If this is a redeclaration of a using shadow declaration, it must 16426 // declare a tag in the same context. In MSVC mode, we allow a 16427 // redefinition if either context is within the other. 16428 if (auto *Shadow = dyn_cast<UsingShadowDecl>(DirectPrevDecl)) { 16429 auto *OldTag = dyn_cast<TagDecl>(PrevDecl); 16430 if (SS.isEmpty() && TUK != TUK_Reference && TUK != TUK_Friend && 16431 isDeclInScope(Shadow, SearchDC, S, isMemberSpecialization) && 16432 !(OldTag && isAcceptableTagRedeclContext( 16433 *this, OldTag->getDeclContext(), SearchDC))) { 16434 Diag(KWLoc, diag::err_using_decl_conflict_reverse); 16435 Diag(Shadow->getTargetDecl()->getLocation(), 16436 diag::note_using_decl_target); 16437 Diag(Shadow->getIntroducer()->getLocation(), diag::note_using_decl) 16438 << 0; 16439 // Recover by ignoring the old declaration. 16440 Previous.clear(); 16441 goto CreateNewDecl; 16442 } 16443 } 16444 16445 if (TagDecl *PrevTagDecl = dyn_cast<TagDecl>(PrevDecl)) { 16446 // If this is a use of a previous tag, or if the tag is already declared 16447 // in the same scope (so that the definition/declaration completes or 16448 // rementions the tag), reuse the decl. 16449 if (TUK == TUK_Reference || TUK == TUK_Friend || 16450 isDeclInScope(DirectPrevDecl, SearchDC, S, 16451 SS.isNotEmpty() || isMemberSpecialization)) { 16452 // Make sure that this wasn't declared as an enum and now used as a 16453 // struct or something similar. 16454 if (!isAcceptableTagRedeclaration(PrevTagDecl, Kind, 16455 TUK == TUK_Definition, KWLoc, 16456 Name)) { 16457 bool SafeToContinue 16458 = (PrevTagDecl->getTagKind() != TTK_Enum && 16459 Kind != TTK_Enum); 16460 if (SafeToContinue) 16461 Diag(KWLoc, diag::err_use_with_wrong_tag) 16462 << Name 16463 << FixItHint::CreateReplacement(SourceRange(KWLoc), 16464 PrevTagDecl->getKindName()); 16465 else 16466 Diag(KWLoc, diag::err_use_with_wrong_tag) << Name; 16467 Diag(PrevTagDecl->getLocation(), diag::note_previous_use); 16468 16469 if (SafeToContinue) 16470 Kind = PrevTagDecl->getTagKind(); 16471 else { 16472 // Recover by making this an anonymous redefinition. 16473 Name = nullptr; 16474 Previous.clear(); 16475 Invalid = true; 16476 } 16477 } 16478 16479 if (Kind == TTK_Enum && PrevTagDecl->getTagKind() == TTK_Enum) { 16480 const EnumDecl *PrevEnum = cast<EnumDecl>(PrevTagDecl); 16481 if (TUK == TUK_Reference || TUK == TUK_Friend) 16482 return PrevTagDecl; 16483 16484 QualType EnumUnderlyingTy; 16485 if (TypeSourceInfo *TI = EnumUnderlying.dyn_cast<TypeSourceInfo*>()) 16486 EnumUnderlyingTy = TI->getType().getUnqualifiedType(); 16487 else if (const Type *T = EnumUnderlying.dyn_cast<const Type*>()) 16488 EnumUnderlyingTy = QualType(T, 0); 16489 16490 // All conflicts with previous declarations are recovered by 16491 // returning the previous declaration, unless this is a definition, 16492 // in which case we want the caller to bail out. 16493 if (CheckEnumRedeclaration(NameLoc.isValid() ? NameLoc : KWLoc, 16494 ScopedEnum, EnumUnderlyingTy, 16495 IsFixed, PrevEnum)) 16496 return TUK == TUK_Declaration ? PrevTagDecl : nullptr; 16497 } 16498 16499 // C++11 [class.mem]p1: 16500 // A member shall not be declared twice in the member-specification, 16501 // except that a nested class or member class template can be declared 16502 // and then later defined. 16503 if (TUK == TUK_Declaration && PrevDecl->isCXXClassMember() && 16504 S->isDeclScope(PrevDecl)) { 16505 Diag(NameLoc, diag::ext_member_redeclared); 16506 Diag(PrevTagDecl->getLocation(), diag::note_previous_declaration); 16507 } 16508 16509 if (!Invalid) { 16510 // If this is a use, just return the declaration we found, unless 16511 // we have attributes. 16512 if (TUK == TUK_Reference || TUK == TUK_Friend) { 16513 if (!Attrs.empty()) { 16514 // FIXME: Diagnose these attributes. For now, we create a new 16515 // declaration to hold them. 16516 } else if (TUK == TUK_Reference && 16517 (PrevTagDecl->getFriendObjectKind() == 16518 Decl::FOK_Undeclared || 16519 PrevDecl->getOwningModule() != getCurrentModule()) && 16520 SS.isEmpty()) { 16521 // This declaration is a reference to an existing entity, but 16522 // has different visibility from that entity: it either makes 16523 // a friend visible or it makes a type visible in a new module. 16524 // In either case, create a new declaration. We only do this if 16525 // the declaration would have meant the same thing if no prior 16526 // declaration were found, that is, if it was found in the same 16527 // scope where we would have injected a declaration. 16528 if (!getTagInjectionContext(CurContext)->getRedeclContext() 16529 ->Equals(PrevDecl->getDeclContext()->getRedeclContext())) 16530 return PrevTagDecl; 16531 // This is in the injected scope, create a new declaration in 16532 // that scope. 16533 S = getTagInjectionScope(S, getLangOpts()); 16534 } else { 16535 return PrevTagDecl; 16536 } 16537 } 16538 16539 // Diagnose attempts to redefine a tag. 16540 if (TUK == TUK_Definition) { 16541 if (NamedDecl *Def = PrevTagDecl->getDefinition()) { 16542 // If we're defining a specialization and the previous definition 16543 // is from an implicit instantiation, don't emit an error 16544 // here; we'll catch this in the general case below. 16545 bool IsExplicitSpecializationAfterInstantiation = false; 16546 if (isMemberSpecialization) { 16547 if (CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(Def)) 16548 IsExplicitSpecializationAfterInstantiation = 16549 RD->getTemplateSpecializationKind() != 16550 TSK_ExplicitSpecialization; 16551 else if (EnumDecl *ED = dyn_cast<EnumDecl>(Def)) 16552 IsExplicitSpecializationAfterInstantiation = 16553 ED->getTemplateSpecializationKind() != 16554 TSK_ExplicitSpecialization; 16555 } 16556 16557 // Note that clang allows ODR-like semantics for ObjC/C, i.e., do 16558 // not keep more that one definition around (merge them). However, 16559 // ensure the decl passes the structural compatibility check in 16560 // C11 6.2.7/1 (or 6.1.2.6/1 in C89). 16561 NamedDecl *Hidden = nullptr; 16562 if (SkipBody && !hasVisibleDefinition(Def, &Hidden)) { 16563 // There is a definition of this tag, but it is not visible. We 16564 // explicitly make use of C++'s one definition rule here, and 16565 // assume that this definition is identical to the hidden one 16566 // we already have. Make the existing definition visible and 16567 // use it in place of this one. 16568 if (!getLangOpts().CPlusPlus) { 16569 // Postpone making the old definition visible until after we 16570 // complete parsing the new one and do the structural 16571 // comparison. 16572 SkipBody->CheckSameAsPrevious = true; 16573 SkipBody->New = createTagFromNewDecl(); 16574 SkipBody->Previous = Def; 16575 return Def; 16576 } else { 16577 SkipBody->ShouldSkip = true; 16578 SkipBody->Previous = Def; 16579 makeMergedDefinitionVisible(Hidden); 16580 // Carry on and handle it like a normal definition. We'll 16581 // skip starting the definitiion later. 16582 } 16583 } else if (!IsExplicitSpecializationAfterInstantiation) { 16584 // A redeclaration in function prototype scope in C isn't 16585 // visible elsewhere, so merely issue a warning. 16586 if (!getLangOpts().CPlusPlus && S->containedInPrototypeScope()) 16587 Diag(NameLoc, diag::warn_redefinition_in_param_list) << Name; 16588 else 16589 Diag(NameLoc, diag::err_redefinition) << Name; 16590 notePreviousDefinition(Def, 16591 NameLoc.isValid() ? NameLoc : KWLoc); 16592 // If this is a redefinition, recover by making this 16593 // struct be anonymous, which will make any later 16594 // references get the previous definition. 16595 Name = nullptr; 16596 Previous.clear(); 16597 Invalid = true; 16598 } 16599 } else { 16600 // If the type is currently being defined, complain 16601 // about a nested redefinition. 16602 auto *TD = Context.getTagDeclType(PrevTagDecl)->getAsTagDecl(); 16603 if (TD->isBeingDefined()) { 16604 Diag(NameLoc, diag::err_nested_redefinition) << Name; 16605 Diag(PrevTagDecl->getLocation(), 16606 diag::note_previous_definition); 16607 Name = nullptr; 16608 Previous.clear(); 16609 Invalid = true; 16610 } 16611 } 16612 16613 // Okay, this is definition of a previously declared or referenced 16614 // tag. We're going to create a new Decl for it. 16615 } 16616 16617 // Okay, we're going to make a redeclaration. If this is some kind 16618 // of reference, make sure we build the redeclaration in the same DC 16619 // as the original, and ignore the current access specifier. 16620 if (TUK == TUK_Friend || TUK == TUK_Reference) { 16621 SearchDC = PrevTagDecl->getDeclContext(); 16622 AS = AS_none; 16623 } 16624 } 16625 // If we get here we have (another) forward declaration or we 16626 // have a definition. Just create a new decl. 16627 16628 } else { 16629 // If we get here, this is a definition of a new tag type in a nested 16630 // scope, e.g. "struct foo; void bar() { struct foo; }", just create a 16631 // new decl/type. We set PrevDecl to NULL so that the entities 16632 // have distinct types. 16633 Previous.clear(); 16634 } 16635 // If we get here, we're going to create a new Decl. If PrevDecl 16636 // is non-NULL, it's a definition of the tag declared by 16637 // PrevDecl. If it's NULL, we have a new definition. 16638 16639 // Otherwise, PrevDecl is not a tag, but was found with tag 16640 // lookup. This is only actually possible in C++, where a few 16641 // things like templates still live in the tag namespace. 16642 } else { 16643 // Use a better diagnostic if an elaborated-type-specifier 16644 // found the wrong kind of type on the first 16645 // (non-redeclaration) lookup. 16646 if ((TUK == TUK_Reference || TUK == TUK_Friend) && 16647 !Previous.isForRedeclaration()) { 16648 NonTagKind NTK = getNonTagTypeDeclKind(PrevDecl, Kind); 16649 Diag(NameLoc, diag::err_tag_reference_non_tag) << PrevDecl << NTK 16650 << Kind; 16651 Diag(PrevDecl->getLocation(), diag::note_declared_at); 16652 Invalid = true; 16653 16654 // Otherwise, only diagnose if the declaration is in scope. 16655 } else if (!isDeclInScope(DirectPrevDecl, SearchDC, S, 16656 SS.isNotEmpty() || isMemberSpecialization)) { 16657 // do nothing 16658 16659 // Diagnose implicit declarations introduced by elaborated types. 16660 } else if (TUK == TUK_Reference || TUK == TUK_Friend) { 16661 NonTagKind NTK = getNonTagTypeDeclKind(PrevDecl, Kind); 16662 Diag(NameLoc, diag::err_tag_reference_conflict) << NTK; 16663 Diag(PrevDecl->getLocation(), diag::note_previous_decl) << PrevDecl; 16664 Invalid = true; 16665 16666 // Otherwise it's a declaration. Call out a particularly common 16667 // case here. 16668 } else if (TypedefNameDecl *TND = dyn_cast<TypedefNameDecl>(PrevDecl)) { 16669 unsigned Kind = 0; 16670 if (isa<TypeAliasDecl>(PrevDecl)) Kind = 1; 16671 Diag(NameLoc, diag::err_tag_definition_of_typedef) 16672 << Name << Kind << TND->getUnderlyingType(); 16673 Diag(PrevDecl->getLocation(), diag::note_previous_decl) << PrevDecl; 16674 Invalid = true; 16675 16676 // Otherwise, diagnose. 16677 } else { 16678 // The tag name clashes with something else in the target scope, 16679 // issue an error and recover by making this tag be anonymous. 16680 Diag(NameLoc, diag::err_redefinition_different_kind) << Name; 16681 notePreviousDefinition(PrevDecl, NameLoc); 16682 Name = nullptr; 16683 Invalid = true; 16684 } 16685 16686 // The existing declaration isn't relevant to us; we're in a 16687 // new scope, so clear out the previous declaration. 16688 Previous.clear(); 16689 } 16690 } 16691 16692 CreateNewDecl: 16693 16694 TagDecl *PrevDecl = nullptr; 16695 if (Previous.isSingleResult()) 16696 PrevDecl = cast<TagDecl>(Previous.getFoundDecl()); 16697 16698 // If there is an identifier, use the location of the identifier as the 16699 // location of the decl, otherwise use the location of the struct/union 16700 // keyword. 16701 SourceLocation Loc = NameLoc.isValid() ? NameLoc : KWLoc; 16702 16703 // Otherwise, create a new declaration. If there is a previous 16704 // declaration of the same entity, the two will be linked via 16705 // PrevDecl. 16706 TagDecl *New; 16707 16708 if (Kind == TTK_Enum) { 16709 // FIXME: Tag decls should be chained to any simultaneous vardecls, e.g.: 16710 // enum X { A, B, C } D; D should chain to X. 16711 New = EnumDecl::Create(Context, SearchDC, KWLoc, Loc, Name, 16712 cast_or_null<EnumDecl>(PrevDecl), ScopedEnum, 16713 ScopedEnumUsesClassTag, IsFixed); 16714 16715 if (isStdAlignValT && (!StdAlignValT || getStdAlignValT()->isImplicit())) 16716 StdAlignValT = cast<EnumDecl>(New); 16717 16718 // If this is an undefined enum, warn. 16719 if (TUK != TUK_Definition && !Invalid) { 16720 TagDecl *Def; 16721 if (IsFixed && cast<EnumDecl>(New)->isFixed()) { 16722 // C++0x: 7.2p2: opaque-enum-declaration. 16723 // Conflicts are diagnosed above. Do nothing. 16724 } 16725 else if (PrevDecl && (Def = cast<EnumDecl>(PrevDecl)->getDefinition())) { 16726 Diag(Loc, diag::ext_forward_ref_enum_def) 16727 << New; 16728 Diag(Def->getLocation(), diag::note_previous_definition); 16729 } else { 16730 unsigned DiagID = diag::ext_forward_ref_enum; 16731 if (getLangOpts().MSVCCompat) 16732 DiagID = diag::ext_ms_forward_ref_enum; 16733 else if (getLangOpts().CPlusPlus) 16734 DiagID = diag::err_forward_ref_enum; 16735 Diag(Loc, DiagID); 16736 } 16737 } 16738 16739 if (EnumUnderlying) { 16740 EnumDecl *ED = cast<EnumDecl>(New); 16741 if (TypeSourceInfo *TI = EnumUnderlying.dyn_cast<TypeSourceInfo*>()) 16742 ED->setIntegerTypeSourceInfo(TI); 16743 else 16744 ED->setIntegerType(QualType(EnumUnderlying.get<const Type*>(), 0)); 16745 ED->setPromotionType(ED->getIntegerType()); 16746 assert(ED->isComplete() && "enum with type should be complete"); 16747 } 16748 } else { 16749 // struct/union/class 16750 16751 // FIXME: Tag decls should be chained to any simultaneous vardecls, e.g.: 16752 // struct X { int A; } D; D should chain to X. 16753 if (getLangOpts().CPlusPlus) { 16754 // FIXME: Look for a way to use RecordDecl for simple structs. 16755 New = CXXRecordDecl::Create(Context, Kind, SearchDC, KWLoc, Loc, Name, 16756 cast_or_null<CXXRecordDecl>(PrevDecl)); 16757 16758 if (isStdBadAlloc && (!StdBadAlloc || getStdBadAlloc()->isImplicit())) 16759 StdBadAlloc = cast<CXXRecordDecl>(New); 16760 } else 16761 New = RecordDecl::Create(Context, Kind, SearchDC, KWLoc, Loc, Name, 16762 cast_or_null<RecordDecl>(PrevDecl)); 16763 } 16764 16765 // C++11 [dcl.type]p3: 16766 // A type-specifier-seq shall not define a class or enumeration [...]. 16767 if (getLangOpts().CPlusPlus && (IsTypeSpecifier || IsTemplateParamOrArg) && 16768 TUK == TUK_Definition) { 16769 Diag(New->getLocation(), diag::err_type_defined_in_type_specifier) 16770 << Context.getTagDeclType(New); 16771 Invalid = true; 16772 } 16773 16774 if (!Invalid && getLangOpts().CPlusPlus && TUK == TUK_Definition && 16775 DC->getDeclKind() == Decl::Enum) { 16776 Diag(New->getLocation(), diag::err_type_defined_in_enum) 16777 << Context.getTagDeclType(New); 16778 Invalid = true; 16779 } 16780 16781 // Maybe add qualifier info. 16782 if (SS.isNotEmpty()) { 16783 if (SS.isSet()) { 16784 // If this is either a declaration or a definition, check the 16785 // nested-name-specifier against the current context. 16786 if ((TUK == TUK_Definition || TUK == TUK_Declaration) && 16787 diagnoseQualifiedDeclaration(SS, DC, OrigName, Loc, 16788 isMemberSpecialization)) 16789 Invalid = true; 16790 16791 New->setQualifierInfo(SS.getWithLocInContext(Context)); 16792 if (TemplateParameterLists.size() > 0) { 16793 New->setTemplateParameterListsInfo(Context, TemplateParameterLists); 16794 } 16795 } 16796 else 16797 Invalid = true; 16798 } 16799 16800 if (RecordDecl *RD = dyn_cast<RecordDecl>(New)) { 16801 // Add alignment attributes if necessary; these attributes are checked when 16802 // the ASTContext lays out the structure. 16803 // 16804 // It is important for implementing the correct semantics that this 16805 // happen here (in ActOnTag). The #pragma pack stack is 16806 // maintained as a result of parser callbacks which can occur at 16807 // many points during the parsing of a struct declaration (because 16808 // the #pragma tokens are effectively skipped over during the 16809 // parsing of the struct). 16810 if (TUK == TUK_Definition && (!SkipBody || !SkipBody->ShouldSkip)) { 16811 AddAlignmentAttributesForRecord(RD); 16812 AddMsStructLayoutForRecord(RD); 16813 } 16814 } 16815 16816 if (ModulePrivateLoc.isValid()) { 16817 if (isMemberSpecialization) 16818 Diag(New->getLocation(), diag::err_module_private_specialization) 16819 << 2 16820 << FixItHint::CreateRemoval(ModulePrivateLoc); 16821 // __module_private__ does not apply to local classes. However, we only 16822 // diagnose this as an error when the declaration specifiers are 16823 // freestanding. Here, we just ignore the __module_private__. 16824 else if (!SearchDC->isFunctionOrMethod()) 16825 New->setModulePrivate(); 16826 } 16827 16828 // If this is a specialization of a member class (of a class template), 16829 // check the specialization. 16830 if (isMemberSpecialization && CheckMemberSpecialization(New, Previous)) 16831 Invalid = true; 16832 16833 // If we're declaring or defining a tag in function prototype scope in C, 16834 // note that this type can only be used within the function and add it to 16835 // the list of decls to inject into the function definition scope. 16836 if ((Name || Kind == TTK_Enum) && 16837 getNonFieldDeclScope(S)->isFunctionPrototypeScope()) { 16838 if (getLangOpts().CPlusPlus) { 16839 // C++ [dcl.fct]p6: 16840 // Types shall not be defined in return or parameter types. 16841 if (TUK == TUK_Definition && !IsTypeSpecifier) { 16842 Diag(Loc, diag::err_type_defined_in_param_type) 16843 << Name; 16844 Invalid = true; 16845 } 16846 } else if (!PrevDecl) { 16847 Diag(Loc, diag::warn_decl_in_param_list) << Context.getTagDeclType(New); 16848 } 16849 } 16850 16851 if (Invalid) 16852 New->setInvalidDecl(); 16853 16854 // Set the lexical context. If the tag has a C++ scope specifier, the 16855 // lexical context will be different from the semantic context. 16856 New->setLexicalDeclContext(CurContext); 16857 16858 // Mark this as a friend decl if applicable. 16859 // In Microsoft mode, a friend declaration also acts as a forward 16860 // declaration so we always pass true to setObjectOfFriendDecl to make 16861 // the tag name visible. 16862 if (TUK == TUK_Friend) 16863 New->setObjectOfFriendDecl(getLangOpts().MSVCCompat); 16864 16865 // Set the access specifier. 16866 if (!Invalid && SearchDC->isRecord()) 16867 SetMemberAccessSpecifier(New, PrevDecl, AS); 16868 16869 if (PrevDecl) 16870 CheckRedeclarationInModule(New, PrevDecl); 16871 16872 if (TUK == TUK_Definition && (!SkipBody || !SkipBody->ShouldSkip)) 16873 New->startDefinition(); 16874 16875 ProcessDeclAttributeList(S, New, Attrs); 16876 AddPragmaAttributes(S, New); 16877 16878 // If this has an identifier, add it to the scope stack. 16879 if (TUK == TUK_Friend) { 16880 // We might be replacing an existing declaration in the lookup tables; 16881 // if so, borrow its access specifier. 16882 if (PrevDecl) 16883 New->setAccess(PrevDecl->getAccess()); 16884 16885 DeclContext *DC = New->getDeclContext()->getRedeclContext(); 16886 DC->makeDeclVisibleInContext(New); 16887 if (Name) // can be null along some error paths 16888 if (Scope *EnclosingScope = getScopeForDeclContext(S, DC)) 16889 PushOnScopeChains(New, EnclosingScope, /* AddToContext = */ false); 16890 } else if (Name) { 16891 S = getNonFieldDeclScope(S); 16892 PushOnScopeChains(New, S, true); 16893 } else { 16894 CurContext->addDecl(New); 16895 } 16896 16897 // If this is the C FILE type, notify the AST context. 16898 if (IdentifierInfo *II = New->getIdentifier()) 16899 if (!New->isInvalidDecl() && 16900 New->getDeclContext()->getRedeclContext()->isTranslationUnit() && 16901 II->isStr("FILE")) 16902 Context.setFILEDecl(New); 16903 16904 if (PrevDecl) 16905 mergeDeclAttributes(New, PrevDecl); 16906 16907 if (auto *CXXRD = dyn_cast<CXXRecordDecl>(New)) 16908 inferGslOwnerPointerAttribute(CXXRD); 16909 16910 // If there's a #pragma GCC visibility in scope, set the visibility of this 16911 // record. 16912 AddPushedVisibilityAttribute(New); 16913 16914 if (isMemberSpecialization && !New->isInvalidDecl()) 16915 CompleteMemberSpecialization(New, Previous); 16916 16917 OwnedDecl = true; 16918 // In C++, don't return an invalid declaration. We can't recover well from 16919 // the cases where we make the type anonymous. 16920 if (Invalid && getLangOpts().CPlusPlus) { 16921 if (New->isBeingDefined()) 16922 if (auto RD = dyn_cast<RecordDecl>(New)) 16923 RD->completeDefinition(); 16924 return nullptr; 16925 } else if (SkipBody && SkipBody->ShouldSkip) { 16926 return SkipBody->Previous; 16927 } else { 16928 return New; 16929 } 16930 } 16931 16932 void Sema::ActOnTagStartDefinition(Scope *S, Decl *TagD) { 16933 AdjustDeclIfTemplate(TagD); 16934 TagDecl *Tag = cast<TagDecl>(TagD); 16935 16936 // Enter the tag context. 16937 PushDeclContext(S, Tag); 16938 16939 ActOnDocumentableDecl(TagD); 16940 16941 // If there's a #pragma GCC visibility in scope, set the visibility of this 16942 // record. 16943 AddPushedVisibilityAttribute(Tag); 16944 } 16945 16946 bool Sema::ActOnDuplicateDefinition(Decl *Prev, SkipBodyInfo &SkipBody) { 16947 if (!hasStructuralCompatLayout(Prev, SkipBody.New)) 16948 return false; 16949 16950 // Make the previous decl visible. 16951 makeMergedDefinitionVisible(SkipBody.Previous); 16952 return true; 16953 } 16954 16955 void Sema::ActOnObjCContainerStartDefinition(ObjCContainerDecl *IDecl) { 16956 assert(IDecl->getLexicalParent() == CurContext && 16957 "The next DeclContext should be lexically contained in the current one."); 16958 CurContext = IDecl; 16959 } 16960 16961 void Sema::ActOnStartCXXMemberDeclarations(Scope *S, Decl *TagD, 16962 SourceLocation FinalLoc, 16963 bool IsFinalSpelledSealed, 16964 bool IsAbstract, 16965 SourceLocation LBraceLoc) { 16966 AdjustDeclIfTemplate(TagD); 16967 CXXRecordDecl *Record = cast<CXXRecordDecl>(TagD); 16968 16969 FieldCollector->StartClass(); 16970 16971 if (!Record->getIdentifier()) 16972 return; 16973 16974 if (IsAbstract) 16975 Record->markAbstract(); 16976 16977 if (FinalLoc.isValid()) { 16978 Record->addAttr(FinalAttr::Create( 16979 Context, FinalLoc, AttributeCommonInfo::AS_Keyword, 16980 static_cast<FinalAttr::Spelling>(IsFinalSpelledSealed))); 16981 } 16982 // C++ [class]p2: 16983 // [...] The class-name is also inserted into the scope of the 16984 // class itself; this is known as the injected-class-name. For 16985 // purposes of access checking, the injected-class-name is treated 16986 // as if it were a public member name. 16987 CXXRecordDecl *InjectedClassName = CXXRecordDecl::Create( 16988 Context, Record->getTagKind(), CurContext, Record->getBeginLoc(), 16989 Record->getLocation(), Record->getIdentifier(), 16990 /*PrevDecl=*/nullptr, 16991 /*DelayTypeCreation=*/true); 16992 Context.getTypeDeclType(InjectedClassName, Record); 16993 InjectedClassName->setImplicit(); 16994 InjectedClassName->setAccess(AS_public); 16995 if (ClassTemplateDecl *Template = Record->getDescribedClassTemplate()) 16996 InjectedClassName->setDescribedClassTemplate(Template); 16997 PushOnScopeChains(InjectedClassName, S); 16998 assert(InjectedClassName->isInjectedClassName() && 16999 "Broken injected-class-name"); 17000 } 17001 17002 void Sema::ActOnTagFinishDefinition(Scope *S, Decl *TagD, 17003 SourceRange BraceRange) { 17004 AdjustDeclIfTemplate(TagD); 17005 TagDecl *Tag = cast<TagDecl>(TagD); 17006 Tag->setBraceRange(BraceRange); 17007 17008 // Make sure we "complete" the definition even it is invalid. 17009 if (Tag->isBeingDefined()) { 17010 assert(Tag->isInvalidDecl() && "We should already have completed it"); 17011 if (RecordDecl *RD = dyn_cast<RecordDecl>(Tag)) 17012 RD->completeDefinition(); 17013 } 17014 17015 if (auto *RD = dyn_cast<CXXRecordDecl>(Tag)) { 17016 FieldCollector->FinishClass(); 17017 if (RD->hasAttr<SYCLSpecialClassAttr>()) { 17018 auto *Def = RD->getDefinition(); 17019 assert(Def && "The record is expected to have a completed definition"); 17020 unsigned NumInitMethods = 0; 17021 for (auto *Method : Def->methods()) { 17022 if (!Method->getIdentifier()) 17023 continue; 17024 if (Method->getName() == "__init") 17025 NumInitMethods++; 17026 } 17027 if (NumInitMethods > 1 || !Def->hasInitMethod()) 17028 Diag(RD->getLocation(), diag::err_sycl_special_type_num_init_method); 17029 } 17030 } 17031 17032 // Exit this scope of this tag's definition. 17033 PopDeclContext(); 17034 17035 if (getCurLexicalContext()->isObjCContainer() && 17036 Tag->getDeclContext()->isFileContext()) 17037 Tag->setTopLevelDeclInObjCContainer(); 17038 17039 // Notify the consumer that we've defined a tag. 17040 if (!Tag->isInvalidDecl()) 17041 Consumer.HandleTagDeclDefinition(Tag); 17042 17043 // Clangs implementation of #pragma align(packed) differs in bitfield layout 17044 // from XLs and instead matches the XL #pragma pack(1) behavior. 17045 if (Context.getTargetInfo().getTriple().isOSAIX() && 17046 AlignPackStack.hasValue()) { 17047 AlignPackInfo APInfo = AlignPackStack.CurrentValue; 17048 // Only diagnose #pragma align(packed). 17049 if (!APInfo.IsAlignAttr() || APInfo.getAlignMode() != AlignPackInfo::Packed) 17050 return; 17051 const RecordDecl *RD = dyn_cast<RecordDecl>(Tag); 17052 if (!RD) 17053 return; 17054 // Only warn if there is at least 1 bitfield member. 17055 if (llvm::any_of(RD->fields(), 17056 [](const FieldDecl *FD) { return FD->isBitField(); })) 17057 Diag(BraceRange.getBegin(), diag::warn_pragma_align_not_xl_compatible); 17058 } 17059 } 17060 17061 void Sema::ActOnObjCContainerFinishDefinition() { 17062 // Exit this scope of this interface definition. 17063 PopDeclContext(); 17064 } 17065 17066 void Sema::ActOnObjCTemporaryExitContainerContext(ObjCContainerDecl *ObjCCtx) { 17067 assert(ObjCCtx == CurContext && "Mismatch of container contexts"); 17068 OriginalLexicalContext = ObjCCtx; 17069 ActOnObjCContainerFinishDefinition(); 17070 } 17071 17072 void Sema::ActOnObjCReenterContainerContext(ObjCContainerDecl *ObjCCtx) { 17073 ActOnObjCContainerStartDefinition(ObjCCtx); 17074 OriginalLexicalContext = nullptr; 17075 } 17076 17077 void Sema::ActOnTagDefinitionError(Scope *S, Decl *TagD) { 17078 AdjustDeclIfTemplate(TagD); 17079 TagDecl *Tag = cast<TagDecl>(TagD); 17080 Tag->setInvalidDecl(); 17081 17082 // Make sure we "complete" the definition even it is invalid. 17083 if (Tag->isBeingDefined()) { 17084 if (RecordDecl *RD = dyn_cast<RecordDecl>(Tag)) 17085 RD->completeDefinition(); 17086 } 17087 17088 // We're undoing ActOnTagStartDefinition here, not 17089 // ActOnStartCXXMemberDeclarations, so we don't have to mess with 17090 // the FieldCollector. 17091 17092 PopDeclContext(); 17093 } 17094 17095 // Note that FieldName may be null for anonymous bitfields. 17096 ExprResult Sema::VerifyBitField(SourceLocation FieldLoc, 17097 IdentifierInfo *FieldName, QualType FieldTy, 17098 bool IsMsStruct, Expr *BitWidth) { 17099 assert(BitWidth); 17100 if (BitWidth->containsErrors()) 17101 return ExprError(); 17102 17103 // C99 6.7.2.1p4 - verify the field type. 17104 // C++ 9.6p3: A bit-field shall have integral or enumeration type. 17105 if (!FieldTy->isDependentType() && !FieldTy->isIntegralOrEnumerationType()) { 17106 // Handle incomplete and sizeless types with a specific error. 17107 if (RequireCompleteSizedType(FieldLoc, FieldTy, 17108 diag::err_field_incomplete_or_sizeless)) 17109 return ExprError(); 17110 if (FieldName) 17111 return Diag(FieldLoc, diag::err_not_integral_type_bitfield) 17112 << FieldName << FieldTy << BitWidth->getSourceRange(); 17113 return Diag(FieldLoc, diag::err_not_integral_type_anon_bitfield) 17114 << FieldTy << BitWidth->getSourceRange(); 17115 } else if (DiagnoseUnexpandedParameterPack(const_cast<Expr *>(BitWidth), 17116 UPPC_BitFieldWidth)) 17117 return ExprError(); 17118 17119 // If the bit-width is type- or value-dependent, don't try to check 17120 // it now. 17121 if (BitWidth->isValueDependent() || BitWidth->isTypeDependent()) 17122 return BitWidth; 17123 17124 llvm::APSInt Value; 17125 ExprResult ICE = VerifyIntegerConstantExpression(BitWidth, &Value, AllowFold); 17126 if (ICE.isInvalid()) 17127 return ICE; 17128 BitWidth = ICE.get(); 17129 17130 // Zero-width bitfield is ok for anonymous field. 17131 if (Value == 0 && FieldName) 17132 return Diag(FieldLoc, diag::err_bitfield_has_zero_width) << FieldName; 17133 17134 if (Value.isSigned() && Value.isNegative()) { 17135 if (FieldName) 17136 return Diag(FieldLoc, diag::err_bitfield_has_negative_width) 17137 << FieldName << toString(Value, 10); 17138 return Diag(FieldLoc, diag::err_anon_bitfield_has_negative_width) 17139 << toString(Value, 10); 17140 } 17141 17142 // The size of the bit-field must not exceed our maximum permitted object 17143 // size. 17144 if (Value.getActiveBits() > ConstantArrayType::getMaxSizeBits(Context)) { 17145 return Diag(FieldLoc, diag::err_bitfield_too_wide) 17146 << !FieldName << FieldName << toString(Value, 10); 17147 } 17148 17149 if (!FieldTy->isDependentType()) { 17150 uint64_t TypeStorageSize = Context.getTypeSize(FieldTy); 17151 uint64_t TypeWidth = Context.getIntWidth(FieldTy); 17152 bool BitfieldIsOverwide = Value.ugt(TypeWidth); 17153 17154 // Over-wide bitfields are an error in C or when using the MSVC bitfield 17155 // ABI. 17156 bool CStdConstraintViolation = 17157 BitfieldIsOverwide && !getLangOpts().CPlusPlus; 17158 bool MSBitfieldViolation = 17159 Value.ugt(TypeStorageSize) && 17160 (IsMsStruct || Context.getTargetInfo().getCXXABI().isMicrosoft()); 17161 if (CStdConstraintViolation || MSBitfieldViolation) { 17162 unsigned DiagWidth = 17163 CStdConstraintViolation ? TypeWidth : TypeStorageSize; 17164 return Diag(FieldLoc, diag::err_bitfield_width_exceeds_type_width) 17165 << (bool)FieldName << FieldName << toString(Value, 10) 17166 << !CStdConstraintViolation << DiagWidth; 17167 } 17168 17169 // Warn on types where the user might conceivably expect to get all 17170 // specified bits as value bits: that's all integral types other than 17171 // 'bool'. 17172 if (BitfieldIsOverwide && !FieldTy->isBooleanType() && FieldName) { 17173 Diag(FieldLoc, diag::warn_bitfield_width_exceeds_type_width) 17174 << FieldName << toString(Value, 10) 17175 << (unsigned)TypeWidth; 17176 } 17177 } 17178 17179 return BitWidth; 17180 } 17181 17182 /// ActOnField - Each field of a C struct/union is passed into this in order 17183 /// to create a FieldDecl object for it. 17184 Decl *Sema::ActOnField(Scope *S, Decl *TagD, SourceLocation DeclStart, 17185 Declarator &D, Expr *BitfieldWidth) { 17186 FieldDecl *Res = HandleField(S, cast_or_null<RecordDecl>(TagD), 17187 DeclStart, D, static_cast<Expr*>(BitfieldWidth), 17188 /*InitStyle=*/ICIS_NoInit, AS_public); 17189 return Res; 17190 } 17191 17192 /// HandleField - Analyze a field of a C struct or a C++ data member. 17193 /// 17194 FieldDecl *Sema::HandleField(Scope *S, RecordDecl *Record, 17195 SourceLocation DeclStart, 17196 Declarator &D, Expr *BitWidth, 17197 InClassInitStyle InitStyle, 17198 AccessSpecifier AS) { 17199 if (D.isDecompositionDeclarator()) { 17200 const DecompositionDeclarator &Decomp = D.getDecompositionDeclarator(); 17201 Diag(Decomp.getLSquareLoc(), diag::err_decomp_decl_context) 17202 << Decomp.getSourceRange(); 17203 return nullptr; 17204 } 17205 17206 IdentifierInfo *II = D.getIdentifier(); 17207 SourceLocation Loc = DeclStart; 17208 if (II) Loc = D.getIdentifierLoc(); 17209 17210 TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S); 17211 QualType T = TInfo->getType(); 17212 if (getLangOpts().CPlusPlus) { 17213 CheckExtraCXXDefaultArguments(D); 17214 17215 if (DiagnoseUnexpandedParameterPack(D.getIdentifierLoc(), TInfo, 17216 UPPC_DataMemberType)) { 17217 D.setInvalidType(); 17218 T = Context.IntTy; 17219 TInfo = Context.getTrivialTypeSourceInfo(T, Loc); 17220 } 17221 } 17222 17223 DiagnoseFunctionSpecifiers(D.getDeclSpec()); 17224 17225 if (D.getDeclSpec().isInlineSpecified()) 17226 Diag(D.getDeclSpec().getInlineSpecLoc(), diag::err_inline_non_function) 17227 << getLangOpts().CPlusPlus17; 17228 if (DeclSpec::TSCS TSCS = D.getDeclSpec().getThreadStorageClassSpec()) 17229 Diag(D.getDeclSpec().getThreadStorageClassSpecLoc(), 17230 diag::err_invalid_thread) 17231 << DeclSpec::getSpecifierName(TSCS); 17232 17233 // Check to see if this name was declared as a member previously 17234 NamedDecl *PrevDecl = nullptr; 17235 LookupResult Previous(*this, II, Loc, LookupMemberName, 17236 ForVisibleRedeclaration); 17237 LookupName(Previous, S); 17238 switch (Previous.getResultKind()) { 17239 case LookupResult::Found: 17240 case LookupResult::FoundUnresolvedValue: 17241 PrevDecl = Previous.getAsSingle<NamedDecl>(); 17242 break; 17243 17244 case LookupResult::FoundOverloaded: 17245 PrevDecl = Previous.getRepresentativeDecl(); 17246 break; 17247 17248 case LookupResult::NotFound: 17249 case LookupResult::NotFoundInCurrentInstantiation: 17250 case LookupResult::Ambiguous: 17251 break; 17252 } 17253 Previous.suppressDiagnostics(); 17254 17255 if (PrevDecl && PrevDecl->isTemplateParameter()) { 17256 // Maybe we will complain about the shadowed template parameter. 17257 DiagnoseTemplateParameterShadow(D.getIdentifierLoc(), PrevDecl); 17258 // Just pretend that we didn't see the previous declaration. 17259 PrevDecl = nullptr; 17260 } 17261 17262 if (PrevDecl && !isDeclInScope(PrevDecl, Record, S)) 17263 PrevDecl = nullptr; 17264 17265 bool Mutable 17266 = (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_mutable); 17267 SourceLocation TSSL = D.getBeginLoc(); 17268 FieldDecl *NewFD 17269 = CheckFieldDecl(II, T, TInfo, Record, Loc, Mutable, BitWidth, InitStyle, 17270 TSSL, AS, PrevDecl, &D); 17271 17272 if (NewFD->isInvalidDecl()) 17273 Record->setInvalidDecl(); 17274 17275 if (D.getDeclSpec().isModulePrivateSpecified()) 17276 NewFD->setModulePrivate(); 17277 17278 if (NewFD->isInvalidDecl() && PrevDecl) { 17279 // Don't introduce NewFD into scope; there's already something 17280 // with the same name in the same scope. 17281 } else if (II) { 17282 PushOnScopeChains(NewFD, S); 17283 } else 17284 Record->addDecl(NewFD); 17285 17286 return NewFD; 17287 } 17288 17289 /// Build a new FieldDecl and check its well-formedness. 17290 /// 17291 /// This routine builds a new FieldDecl given the fields name, type, 17292 /// record, etc. \p PrevDecl should refer to any previous declaration 17293 /// with the same name and in the same scope as the field to be 17294 /// created. 17295 /// 17296 /// \returns a new FieldDecl. 17297 /// 17298 /// \todo The Declarator argument is a hack. It will be removed once 17299 FieldDecl *Sema::CheckFieldDecl(DeclarationName Name, QualType T, 17300 TypeSourceInfo *TInfo, 17301 RecordDecl *Record, SourceLocation Loc, 17302 bool Mutable, Expr *BitWidth, 17303 InClassInitStyle InitStyle, 17304 SourceLocation TSSL, 17305 AccessSpecifier AS, NamedDecl *PrevDecl, 17306 Declarator *D) { 17307 IdentifierInfo *II = Name.getAsIdentifierInfo(); 17308 bool InvalidDecl = false; 17309 if (D) InvalidDecl = D->isInvalidType(); 17310 17311 // If we receive a broken type, recover by assuming 'int' and 17312 // marking this declaration as invalid. 17313 if (T.isNull() || T->containsErrors()) { 17314 InvalidDecl = true; 17315 T = Context.IntTy; 17316 } 17317 17318 QualType EltTy = Context.getBaseElementType(T); 17319 if (!EltTy->isDependentType() && !EltTy->containsErrors()) { 17320 if (RequireCompleteSizedType(Loc, EltTy, 17321 diag::err_field_incomplete_or_sizeless)) { 17322 // Fields of incomplete type force their record to be invalid. 17323 Record->setInvalidDecl(); 17324 InvalidDecl = true; 17325 } else { 17326 NamedDecl *Def; 17327 EltTy->isIncompleteType(&Def); 17328 if (Def && Def->isInvalidDecl()) { 17329 Record->setInvalidDecl(); 17330 InvalidDecl = true; 17331 } 17332 } 17333 } 17334 17335 // TR 18037 does not allow fields to be declared with address space 17336 if (T.hasAddressSpace() || T->isDependentAddressSpaceType() || 17337 T->getBaseElementTypeUnsafe()->isDependentAddressSpaceType()) { 17338 Diag(Loc, diag::err_field_with_address_space); 17339 Record->setInvalidDecl(); 17340 InvalidDecl = true; 17341 } 17342 17343 if (LangOpts.OpenCL) { 17344 // OpenCL v1.2 s6.9b,r & OpenCL v2.0 s6.12.5 - The following types cannot be 17345 // used as structure or union field: image, sampler, event or block types. 17346 if (T->isEventT() || T->isImageType() || T->isSamplerT() || 17347 T->isBlockPointerType()) { 17348 Diag(Loc, diag::err_opencl_type_struct_or_union_field) << T; 17349 Record->setInvalidDecl(); 17350 InvalidDecl = true; 17351 } 17352 // OpenCL v1.2 s6.9.c: bitfields are not supported, unless Clang extension 17353 // is enabled. 17354 if (BitWidth && !getOpenCLOptions().isAvailableOption( 17355 "__cl_clang_bitfields", LangOpts)) { 17356 Diag(Loc, diag::err_opencl_bitfields); 17357 InvalidDecl = true; 17358 } 17359 } 17360 17361 // Anonymous bit-fields cannot be cv-qualified (CWG 2229). 17362 if (!InvalidDecl && getLangOpts().CPlusPlus && !II && BitWidth && 17363 T.hasQualifiers()) { 17364 InvalidDecl = true; 17365 Diag(Loc, diag::err_anon_bitfield_qualifiers); 17366 } 17367 17368 // C99 6.7.2.1p8: A member of a structure or union may have any type other 17369 // than a variably modified type. 17370 if (!InvalidDecl && T->isVariablyModifiedType()) { 17371 if (!tryToFixVariablyModifiedVarType( 17372 TInfo, T, Loc, diag::err_typecheck_field_variable_size)) 17373 InvalidDecl = true; 17374 } 17375 17376 // Fields can not have abstract class types 17377 if (!InvalidDecl && RequireNonAbstractType(Loc, T, 17378 diag::err_abstract_type_in_decl, 17379 AbstractFieldType)) 17380 InvalidDecl = true; 17381 17382 if (InvalidDecl) 17383 BitWidth = nullptr; 17384 // If this is declared as a bit-field, check the bit-field. 17385 if (BitWidth) { 17386 BitWidth = 17387 VerifyBitField(Loc, II, T, Record->isMsStruct(Context), BitWidth).get(); 17388 if (!BitWidth) { 17389 InvalidDecl = true; 17390 BitWidth = nullptr; 17391 } 17392 } 17393 17394 // Check that 'mutable' is consistent with the type of the declaration. 17395 if (!InvalidDecl && Mutable) { 17396 unsigned DiagID = 0; 17397 if (T->isReferenceType()) 17398 DiagID = getLangOpts().MSVCCompat ? diag::ext_mutable_reference 17399 : diag::err_mutable_reference; 17400 else if (T.isConstQualified()) 17401 DiagID = diag::err_mutable_const; 17402 17403 if (DiagID) { 17404 SourceLocation ErrLoc = Loc; 17405 if (D && D->getDeclSpec().getStorageClassSpecLoc().isValid()) 17406 ErrLoc = D->getDeclSpec().getStorageClassSpecLoc(); 17407 Diag(ErrLoc, DiagID); 17408 if (DiagID != diag::ext_mutable_reference) { 17409 Mutable = false; 17410 InvalidDecl = true; 17411 } 17412 } 17413 } 17414 17415 // C++11 [class.union]p8 (DR1460): 17416 // At most one variant member of a union may have a 17417 // brace-or-equal-initializer. 17418 if (InitStyle != ICIS_NoInit) 17419 checkDuplicateDefaultInit(*this, cast<CXXRecordDecl>(Record), Loc); 17420 17421 FieldDecl *NewFD = FieldDecl::Create(Context, Record, TSSL, Loc, II, T, TInfo, 17422 BitWidth, Mutable, InitStyle); 17423 if (InvalidDecl) 17424 NewFD->setInvalidDecl(); 17425 17426 if (PrevDecl && !isa<TagDecl>(PrevDecl)) { 17427 Diag(Loc, diag::err_duplicate_member) << II; 17428 Diag(PrevDecl->getLocation(), diag::note_previous_declaration); 17429 NewFD->setInvalidDecl(); 17430 } 17431 17432 if (!InvalidDecl && getLangOpts().CPlusPlus) { 17433 if (Record->isUnion()) { 17434 if (const RecordType *RT = EltTy->getAs<RecordType>()) { 17435 CXXRecordDecl* RDecl = cast<CXXRecordDecl>(RT->getDecl()); 17436 if (RDecl->getDefinition()) { 17437 // C++ [class.union]p1: An object of a class with a non-trivial 17438 // constructor, a non-trivial copy constructor, a non-trivial 17439 // destructor, or a non-trivial copy assignment operator 17440 // cannot be a member of a union, nor can an array of such 17441 // objects. 17442 if (CheckNontrivialField(NewFD)) 17443 NewFD->setInvalidDecl(); 17444 } 17445 } 17446 17447 // C++ [class.union]p1: If a union contains a member of reference type, 17448 // the program is ill-formed, except when compiling with MSVC extensions 17449 // enabled. 17450 if (EltTy->isReferenceType()) { 17451 Diag(NewFD->getLocation(), getLangOpts().MicrosoftExt ? 17452 diag::ext_union_member_of_reference_type : 17453 diag::err_union_member_of_reference_type) 17454 << NewFD->getDeclName() << EltTy; 17455 if (!getLangOpts().MicrosoftExt) 17456 NewFD->setInvalidDecl(); 17457 } 17458 } 17459 } 17460 17461 // FIXME: We need to pass in the attributes given an AST 17462 // representation, not a parser representation. 17463 if (D) { 17464 // FIXME: The current scope is almost... but not entirely... correct here. 17465 ProcessDeclAttributes(getCurScope(), NewFD, *D); 17466 17467 if (NewFD->hasAttrs()) 17468 CheckAlignasUnderalignment(NewFD); 17469 } 17470 17471 // In auto-retain/release, infer strong retension for fields of 17472 // retainable type. 17473 if (getLangOpts().ObjCAutoRefCount && inferObjCARCLifetime(NewFD)) 17474 NewFD->setInvalidDecl(); 17475 17476 if (T.isObjCGCWeak()) 17477 Diag(Loc, diag::warn_attribute_weak_on_field); 17478 17479 // PPC MMA non-pointer types are not allowed as field types. 17480 if (Context.getTargetInfo().getTriple().isPPC64() && 17481 CheckPPCMMAType(T, NewFD->getLocation())) 17482 NewFD->setInvalidDecl(); 17483 17484 NewFD->setAccess(AS); 17485 return NewFD; 17486 } 17487 17488 bool Sema::CheckNontrivialField(FieldDecl *FD) { 17489 assert(FD); 17490 assert(getLangOpts().CPlusPlus && "valid check only for C++"); 17491 17492 if (FD->isInvalidDecl() || FD->getType()->isDependentType()) 17493 return false; 17494 17495 QualType EltTy = Context.getBaseElementType(FD->getType()); 17496 if (const RecordType *RT = EltTy->getAs<RecordType>()) { 17497 CXXRecordDecl *RDecl = cast<CXXRecordDecl>(RT->getDecl()); 17498 if (RDecl->getDefinition()) { 17499 // We check for copy constructors before constructors 17500 // because otherwise we'll never get complaints about 17501 // copy constructors. 17502 17503 CXXSpecialMember member = CXXInvalid; 17504 // We're required to check for any non-trivial constructors. Since the 17505 // implicit default constructor is suppressed if there are any 17506 // user-declared constructors, we just need to check that there is a 17507 // trivial default constructor and a trivial copy constructor. (We don't 17508 // worry about move constructors here, since this is a C++98 check.) 17509 if (RDecl->hasNonTrivialCopyConstructor()) 17510 member = CXXCopyConstructor; 17511 else if (!RDecl->hasTrivialDefaultConstructor()) 17512 member = CXXDefaultConstructor; 17513 else if (RDecl->hasNonTrivialCopyAssignment()) 17514 member = CXXCopyAssignment; 17515 else if (RDecl->hasNonTrivialDestructor()) 17516 member = CXXDestructor; 17517 17518 if (member != CXXInvalid) { 17519 if (!getLangOpts().CPlusPlus11 && 17520 getLangOpts().ObjCAutoRefCount && RDecl->hasObjectMember()) { 17521 // Objective-C++ ARC: it is an error to have a non-trivial field of 17522 // a union. However, system headers in Objective-C programs 17523 // occasionally have Objective-C lifetime objects within unions, 17524 // and rather than cause the program to fail, we make those 17525 // members unavailable. 17526 SourceLocation Loc = FD->getLocation(); 17527 if (getSourceManager().isInSystemHeader(Loc)) { 17528 if (!FD->hasAttr<UnavailableAttr>()) 17529 FD->addAttr(UnavailableAttr::CreateImplicit(Context, "", 17530 UnavailableAttr::IR_ARCFieldWithOwnership, Loc)); 17531 return false; 17532 } 17533 } 17534 17535 Diag(FD->getLocation(), getLangOpts().CPlusPlus11 ? 17536 diag::warn_cxx98_compat_nontrivial_union_or_anon_struct_member : 17537 diag::err_illegal_union_or_anon_struct_member) 17538 << FD->getParent()->isUnion() << FD->getDeclName() << member; 17539 DiagnoseNontrivial(RDecl, member); 17540 return !getLangOpts().CPlusPlus11; 17541 } 17542 } 17543 } 17544 17545 return false; 17546 } 17547 17548 /// TranslateIvarVisibility - Translate visibility from a token ID to an 17549 /// AST enum value. 17550 static ObjCIvarDecl::AccessControl 17551 TranslateIvarVisibility(tok::ObjCKeywordKind ivarVisibility) { 17552 switch (ivarVisibility) { 17553 default: llvm_unreachable("Unknown visitibility kind"); 17554 case tok::objc_private: return ObjCIvarDecl::Private; 17555 case tok::objc_public: return ObjCIvarDecl::Public; 17556 case tok::objc_protected: return ObjCIvarDecl::Protected; 17557 case tok::objc_package: return ObjCIvarDecl::Package; 17558 } 17559 } 17560 17561 /// ActOnIvar - Each ivar field of an objective-c class is passed into this 17562 /// in order to create an IvarDecl object for it. 17563 Decl *Sema::ActOnIvar(Scope *S, 17564 SourceLocation DeclStart, 17565 Declarator &D, Expr *BitfieldWidth, 17566 tok::ObjCKeywordKind Visibility) { 17567 17568 IdentifierInfo *II = D.getIdentifier(); 17569 Expr *BitWidth = (Expr*)BitfieldWidth; 17570 SourceLocation Loc = DeclStart; 17571 if (II) Loc = D.getIdentifierLoc(); 17572 17573 // FIXME: Unnamed fields can be handled in various different ways, for 17574 // example, unnamed unions inject all members into the struct namespace! 17575 17576 TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S); 17577 QualType T = TInfo->getType(); 17578 17579 if (BitWidth) { 17580 // 6.7.2.1p3, 6.7.2.1p4 17581 BitWidth = VerifyBitField(Loc, II, T, /*IsMsStruct*/false, BitWidth).get(); 17582 if (!BitWidth) 17583 D.setInvalidType(); 17584 } else { 17585 // Not a bitfield. 17586 17587 // validate II. 17588 17589 } 17590 if (T->isReferenceType()) { 17591 Diag(Loc, diag::err_ivar_reference_type); 17592 D.setInvalidType(); 17593 } 17594 // C99 6.7.2.1p8: A member of a structure or union may have any type other 17595 // than a variably modified type. 17596 else if (T->isVariablyModifiedType()) { 17597 if (!tryToFixVariablyModifiedVarType( 17598 TInfo, T, Loc, diag::err_typecheck_ivar_variable_size)) 17599 D.setInvalidType(); 17600 } 17601 17602 // Get the visibility (access control) for this ivar. 17603 ObjCIvarDecl::AccessControl ac = 17604 Visibility != tok::objc_not_keyword ? TranslateIvarVisibility(Visibility) 17605 : ObjCIvarDecl::None; 17606 // Must set ivar's DeclContext to its enclosing interface. 17607 ObjCContainerDecl *EnclosingDecl = cast<ObjCContainerDecl>(CurContext); 17608 if (!EnclosingDecl || EnclosingDecl->isInvalidDecl()) 17609 return nullptr; 17610 ObjCContainerDecl *EnclosingContext; 17611 if (ObjCImplementationDecl *IMPDecl = 17612 dyn_cast<ObjCImplementationDecl>(EnclosingDecl)) { 17613 if (LangOpts.ObjCRuntime.isFragile()) { 17614 // Case of ivar declared in an implementation. Context is that of its class. 17615 EnclosingContext = IMPDecl->getClassInterface(); 17616 assert(EnclosingContext && "Implementation has no class interface!"); 17617 } 17618 else 17619 EnclosingContext = EnclosingDecl; 17620 } else { 17621 if (ObjCCategoryDecl *CDecl = 17622 dyn_cast<ObjCCategoryDecl>(EnclosingDecl)) { 17623 if (LangOpts.ObjCRuntime.isFragile() || !CDecl->IsClassExtension()) { 17624 Diag(Loc, diag::err_misplaced_ivar) << CDecl->IsClassExtension(); 17625 return nullptr; 17626 } 17627 } 17628 EnclosingContext = EnclosingDecl; 17629 } 17630 17631 // Construct the decl. 17632 ObjCIvarDecl *NewID = ObjCIvarDecl::Create(Context, EnclosingContext, 17633 DeclStart, Loc, II, T, 17634 TInfo, ac, (Expr *)BitfieldWidth); 17635 17636 if (II) { 17637 NamedDecl *PrevDecl = LookupSingleName(S, II, Loc, LookupMemberName, 17638 ForVisibleRedeclaration); 17639 if (PrevDecl && isDeclInScope(PrevDecl, EnclosingContext, S) 17640 && !isa<TagDecl>(PrevDecl)) { 17641 Diag(Loc, diag::err_duplicate_member) << II; 17642 Diag(PrevDecl->getLocation(), diag::note_previous_declaration); 17643 NewID->setInvalidDecl(); 17644 } 17645 } 17646 17647 // Process attributes attached to the ivar. 17648 ProcessDeclAttributes(S, NewID, D); 17649 17650 if (D.isInvalidType()) 17651 NewID->setInvalidDecl(); 17652 17653 // In ARC, infer 'retaining' for ivars of retainable type. 17654 if (getLangOpts().ObjCAutoRefCount && inferObjCARCLifetime(NewID)) 17655 NewID->setInvalidDecl(); 17656 17657 if (D.getDeclSpec().isModulePrivateSpecified()) 17658 NewID->setModulePrivate(); 17659 17660 if (II) { 17661 // FIXME: When interfaces are DeclContexts, we'll need to add 17662 // these to the interface. 17663 S->AddDecl(NewID); 17664 IdResolver.AddDecl(NewID); 17665 } 17666 17667 if (LangOpts.ObjCRuntime.isNonFragile() && 17668 !NewID->isInvalidDecl() && isa<ObjCInterfaceDecl>(EnclosingDecl)) 17669 Diag(Loc, diag::warn_ivars_in_interface); 17670 17671 return NewID; 17672 } 17673 17674 /// ActOnLastBitfield - This routine handles synthesized bitfields rules for 17675 /// class and class extensions. For every class \@interface and class 17676 /// extension \@interface, if the last ivar is a bitfield of any type, 17677 /// then add an implicit `char :0` ivar to the end of that interface. 17678 void Sema::ActOnLastBitfield(SourceLocation DeclLoc, 17679 SmallVectorImpl<Decl *> &AllIvarDecls) { 17680 if (LangOpts.ObjCRuntime.isFragile() || AllIvarDecls.empty()) 17681 return; 17682 17683 Decl *ivarDecl = AllIvarDecls[AllIvarDecls.size()-1]; 17684 ObjCIvarDecl *Ivar = cast<ObjCIvarDecl>(ivarDecl); 17685 17686 if (!Ivar->isBitField() || Ivar->isZeroLengthBitField(Context)) 17687 return; 17688 ObjCInterfaceDecl *ID = dyn_cast<ObjCInterfaceDecl>(CurContext); 17689 if (!ID) { 17690 if (ObjCCategoryDecl *CD = dyn_cast<ObjCCategoryDecl>(CurContext)) { 17691 if (!CD->IsClassExtension()) 17692 return; 17693 } 17694 // No need to add this to end of @implementation. 17695 else 17696 return; 17697 } 17698 // All conditions are met. Add a new bitfield to the tail end of ivars. 17699 llvm::APInt Zero(Context.getTypeSize(Context.IntTy), 0); 17700 Expr * BW = IntegerLiteral::Create(Context, Zero, Context.IntTy, DeclLoc); 17701 17702 Ivar = ObjCIvarDecl::Create(Context, cast<ObjCContainerDecl>(CurContext), 17703 DeclLoc, DeclLoc, nullptr, 17704 Context.CharTy, 17705 Context.getTrivialTypeSourceInfo(Context.CharTy, 17706 DeclLoc), 17707 ObjCIvarDecl::Private, BW, 17708 true); 17709 AllIvarDecls.push_back(Ivar); 17710 } 17711 17712 void Sema::ActOnFields(Scope *S, SourceLocation RecLoc, Decl *EnclosingDecl, 17713 ArrayRef<Decl *> Fields, SourceLocation LBrac, 17714 SourceLocation RBrac, 17715 const ParsedAttributesView &Attrs) { 17716 assert(EnclosingDecl && "missing record or interface decl"); 17717 17718 // If this is an Objective-C @implementation or category and we have 17719 // new fields here we should reset the layout of the interface since 17720 // it will now change. 17721 if (!Fields.empty() && isa<ObjCContainerDecl>(EnclosingDecl)) { 17722 ObjCContainerDecl *DC = cast<ObjCContainerDecl>(EnclosingDecl); 17723 switch (DC->getKind()) { 17724 default: break; 17725 case Decl::ObjCCategory: 17726 Context.ResetObjCLayout(cast<ObjCCategoryDecl>(DC)->getClassInterface()); 17727 break; 17728 case Decl::ObjCImplementation: 17729 Context. 17730 ResetObjCLayout(cast<ObjCImplementationDecl>(DC)->getClassInterface()); 17731 break; 17732 } 17733 } 17734 17735 RecordDecl *Record = dyn_cast<RecordDecl>(EnclosingDecl); 17736 CXXRecordDecl *CXXRecord = dyn_cast<CXXRecordDecl>(EnclosingDecl); 17737 17738 // Start counting up the number of named members; make sure to include 17739 // members of anonymous structs and unions in the total. 17740 unsigned NumNamedMembers = 0; 17741 if (Record) { 17742 for (const auto *I : Record->decls()) { 17743 if (const auto *IFD = dyn_cast<IndirectFieldDecl>(I)) 17744 if (IFD->getDeclName()) 17745 ++NumNamedMembers; 17746 } 17747 } 17748 17749 // Verify that all the fields are okay. 17750 SmallVector<FieldDecl*, 32> RecFields; 17751 17752 for (ArrayRef<Decl *>::iterator i = Fields.begin(), end = Fields.end(); 17753 i != end; ++i) { 17754 FieldDecl *FD = cast<FieldDecl>(*i); 17755 17756 // Get the type for the field. 17757 const Type *FDTy = FD->getType().getTypePtr(); 17758 17759 if (!FD->isAnonymousStructOrUnion()) { 17760 // Remember all fields written by the user. 17761 RecFields.push_back(FD); 17762 } 17763 17764 // If the field is already invalid for some reason, don't emit more 17765 // diagnostics about it. 17766 if (FD->isInvalidDecl()) { 17767 EnclosingDecl->setInvalidDecl(); 17768 continue; 17769 } 17770 17771 // C99 6.7.2.1p2: 17772 // A structure or union shall not contain a member with 17773 // incomplete or function type (hence, a structure shall not 17774 // contain an instance of itself, but may contain a pointer to 17775 // an instance of itself), except that the last member of a 17776 // structure with more than one named member may have incomplete 17777 // array type; such a structure (and any union containing, 17778 // possibly recursively, a member that is such a structure) 17779 // shall not be a member of a structure or an element of an 17780 // array. 17781 bool IsLastField = (i + 1 == Fields.end()); 17782 if (FDTy->isFunctionType()) { 17783 // Field declared as a function. 17784 Diag(FD->getLocation(), diag::err_field_declared_as_function) 17785 << FD->getDeclName(); 17786 FD->setInvalidDecl(); 17787 EnclosingDecl->setInvalidDecl(); 17788 continue; 17789 } else if (FDTy->isIncompleteArrayType() && 17790 (Record || isa<ObjCContainerDecl>(EnclosingDecl))) { 17791 if (Record) { 17792 // Flexible array member. 17793 // Microsoft and g++ is more permissive regarding flexible array. 17794 // It will accept flexible array in union and also 17795 // as the sole element of a struct/class. 17796 unsigned DiagID = 0; 17797 if (!Record->isUnion() && !IsLastField) { 17798 Diag(FD->getLocation(), diag::err_flexible_array_not_at_end) 17799 << FD->getDeclName() << FD->getType() << Record->getTagKind(); 17800 Diag((*(i + 1))->getLocation(), diag::note_next_field_declaration); 17801 FD->setInvalidDecl(); 17802 EnclosingDecl->setInvalidDecl(); 17803 continue; 17804 } else if (Record->isUnion()) 17805 DiagID = getLangOpts().MicrosoftExt 17806 ? diag::ext_flexible_array_union_ms 17807 : getLangOpts().CPlusPlus 17808 ? diag::ext_flexible_array_union_gnu 17809 : diag::err_flexible_array_union; 17810 else if (NumNamedMembers < 1) 17811 DiagID = getLangOpts().MicrosoftExt 17812 ? diag::ext_flexible_array_empty_aggregate_ms 17813 : getLangOpts().CPlusPlus 17814 ? diag::ext_flexible_array_empty_aggregate_gnu 17815 : diag::err_flexible_array_empty_aggregate; 17816 17817 if (DiagID) 17818 Diag(FD->getLocation(), DiagID) << FD->getDeclName() 17819 << Record->getTagKind(); 17820 // While the layout of types that contain virtual bases is not specified 17821 // by the C++ standard, both the Itanium and Microsoft C++ ABIs place 17822 // virtual bases after the derived members. This would make a flexible 17823 // array member declared at the end of an object not adjacent to the end 17824 // of the type. 17825 if (CXXRecord && CXXRecord->getNumVBases() != 0) 17826 Diag(FD->getLocation(), diag::err_flexible_array_virtual_base) 17827 << FD->getDeclName() << Record->getTagKind(); 17828 if (!getLangOpts().C99) 17829 Diag(FD->getLocation(), diag::ext_c99_flexible_array_member) 17830 << FD->getDeclName() << Record->getTagKind(); 17831 17832 // If the element type has a non-trivial destructor, we would not 17833 // implicitly destroy the elements, so disallow it for now. 17834 // 17835 // FIXME: GCC allows this. We should probably either implicitly delete 17836 // the destructor of the containing class, or just allow this. 17837 QualType BaseElem = Context.getBaseElementType(FD->getType()); 17838 if (!BaseElem->isDependentType() && BaseElem.isDestructedType()) { 17839 Diag(FD->getLocation(), diag::err_flexible_array_has_nontrivial_dtor) 17840 << FD->getDeclName() << FD->getType(); 17841 FD->setInvalidDecl(); 17842 EnclosingDecl->setInvalidDecl(); 17843 continue; 17844 } 17845 // Okay, we have a legal flexible array member at the end of the struct. 17846 Record->setHasFlexibleArrayMember(true); 17847 } else { 17848 // In ObjCContainerDecl ivars with incomplete array type are accepted, 17849 // unless they are followed by another ivar. That check is done 17850 // elsewhere, after synthesized ivars are known. 17851 } 17852 } else if (!FDTy->isDependentType() && 17853 RequireCompleteSizedType( 17854 FD->getLocation(), FD->getType(), 17855 diag::err_field_incomplete_or_sizeless)) { 17856 // Incomplete type 17857 FD->setInvalidDecl(); 17858 EnclosingDecl->setInvalidDecl(); 17859 continue; 17860 } else if (const RecordType *FDTTy = FDTy->getAs<RecordType>()) { 17861 if (Record && FDTTy->getDecl()->hasFlexibleArrayMember()) { 17862 // A type which contains a flexible array member is considered to be a 17863 // flexible array member. 17864 Record->setHasFlexibleArrayMember(true); 17865 if (!Record->isUnion()) { 17866 // If this is a struct/class and this is not the last element, reject 17867 // it. Note that GCC supports variable sized arrays in the middle of 17868 // structures. 17869 if (!IsLastField) 17870 Diag(FD->getLocation(), diag::ext_variable_sized_type_in_struct) 17871 << FD->getDeclName() << FD->getType(); 17872 else { 17873 // We support flexible arrays at the end of structs in 17874 // other structs as an extension. 17875 Diag(FD->getLocation(), diag::ext_flexible_array_in_struct) 17876 << FD->getDeclName(); 17877 } 17878 } 17879 } 17880 if (isa<ObjCContainerDecl>(EnclosingDecl) && 17881 RequireNonAbstractType(FD->getLocation(), FD->getType(), 17882 diag::err_abstract_type_in_decl, 17883 AbstractIvarType)) { 17884 // Ivars can not have abstract class types 17885 FD->setInvalidDecl(); 17886 } 17887 if (Record && FDTTy->getDecl()->hasObjectMember()) 17888 Record->setHasObjectMember(true); 17889 if (Record && FDTTy->getDecl()->hasVolatileMember()) 17890 Record->setHasVolatileMember(true); 17891 } else if (FDTy->isObjCObjectType()) { 17892 /// A field cannot be an Objective-c object 17893 Diag(FD->getLocation(), diag::err_statically_allocated_object) 17894 << FixItHint::CreateInsertion(FD->getLocation(), "*"); 17895 QualType T = Context.getObjCObjectPointerType(FD->getType()); 17896 FD->setType(T); 17897 } else if (Record && Record->isUnion() && 17898 FD->getType().hasNonTrivialObjCLifetime() && 17899 getSourceManager().isInSystemHeader(FD->getLocation()) && 17900 !getLangOpts().CPlusPlus && !FD->hasAttr<UnavailableAttr>() && 17901 (FD->getType().getObjCLifetime() != Qualifiers::OCL_Strong || 17902 !Context.hasDirectOwnershipQualifier(FD->getType()))) { 17903 // For backward compatibility, fields of C unions declared in system 17904 // headers that have non-trivial ObjC ownership qualifications are marked 17905 // as unavailable unless the qualifier is explicit and __strong. This can 17906 // break ABI compatibility between programs compiled with ARC and MRR, but 17907 // is a better option than rejecting programs using those unions under 17908 // ARC. 17909 FD->addAttr(UnavailableAttr::CreateImplicit( 17910 Context, "", UnavailableAttr::IR_ARCFieldWithOwnership, 17911 FD->getLocation())); 17912 } else if (getLangOpts().ObjC && 17913 getLangOpts().getGC() != LangOptions::NonGC && Record && 17914 !Record->hasObjectMember()) { 17915 if (FD->getType()->isObjCObjectPointerType() || 17916 FD->getType().isObjCGCStrong()) 17917 Record->setHasObjectMember(true); 17918 else if (Context.getAsArrayType(FD->getType())) { 17919 QualType BaseType = Context.getBaseElementType(FD->getType()); 17920 if (BaseType->isRecordType() && 17921 BaseType->castAs<RecordType>()->getDecl()->hasObjectMember()) 17922 Record->setHasObjectMember(true); 17923 else if (BaseType->isObjCObjectPointerType() || 17924 BaseType.isObjCGCStrong()) 17925 Record->setHasObjectMember(true); 17926 } 17927 } 17928 17929 if (Record && !getLangOpts().CPlusPlus && 17930 !shouldIgnoreForRecordTriviality(FD)) { 17931 QualType FT = FD->getType(); 17932 if (FT.isNonTrivialToPrimitiveDefaultInitialize()) { 17933 Record->setNonTrivialToPrimitiveDefaultInitialize(true); 17934 if (FT.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || 17935 Record->isUnion()) 17936 Record->setHasNonTrivialToPrimitiveDefaultInitializeCUnion(true); 17937 } 17938 QualType::PrimitiveCopyKind PCK = FT.isNonTrivialToPrimitiveCopy(); 17939 if (PCK != QualType::PCK_Trivial && PCK != QualType::PCK_VolatileTrivial) { 17940 Record->setNonTrivialToPrimitiveCopy(true); 17941 if (FT.hasNonTrivialToPrimitiveCopyCUnion() || Record->isUnion()) 17942 Record->setHasNonTrivialToPrimitiveCopyCUnion(true); 17943 } 17944 if (FT.isDestructedType()) { 17945 Record->setNonTrivialToPrimitiveDestroy(true); 17946 Record->setParamDestroyedInCallee(true); 17947 if (FT.hasNonTrivialToPrimitiveDestructCUnion() || Record->isUnion()) 17948 Record->setHasNonTrivialToPrimitiveDestructCUnion(true); 17949 } 17950 17951 if (const auto *RT = FT->getAs<RecordType>()) { 17952 if (RT->getDecl()->getArgPassingRestrictions() == 17953 RecordDecl::APK_CanNeverPassInRegs) 17954 Record->setArgPassingRestrictions(RecordDecl::APK_CanNeverPassInRegs); 17955 } else if (FT.getQualifiers().getObjCLifetime() == Qualifiers::OCL_Weak) 17956 Record->setArgPassingRestrictions(RecordDecl::APK_CanNeverPassInRegs); 17957 } 17958 17959 if (Record && FD->getType().isVolatileQualified()) 17960 Record->setHasVolatileMember(true); 17961 // Keep track of the number of named members. 17962 if (FD->getIdentifier()) 17963 ++NumNamedMembers; 17964 } 17965 17966 // Okay, we successfully defined 'Record'. 17967 if (Record) { 17968 bool Completed = false; 17969 if (CXXRecord) { 17970 if (!CXXRecord->isInvalidDecl()) { 17971 // Set access bits correctly on the directly-declared conversions. 17972 for (CXXRecordDecl::conversion_iterator 17973 I = CXXRecord->conversion_begin(), 17974 E = CXXRecord->conversion_end(); I != E; ++I) 17975 I.setAccess((*I)->getAccess()); 17976 } 17977 17978 // Add any implicitly-declared members to this class. 17979 AddImplicitlyDeclaredMembersToClass(CXXRecord); 17980 17981 if (!CXXRecord->isDependentType()) { 17982 if (!CXXRecord->isInvalidDecl()) { 17983 // If we have virtual base classes, we may end up finding multiple 17984 // final overriders for a given virtual function. Check for this 17985 // problem now. 17986 if (CXXRecord->getNumVBases()) { 17987 CXXFinalOverriderMap FinalOverriders; 17988 CXXRecord->getFinalOverriders(FinalOverriders); 17989 17990 for (CXXFinalOverriderMap::iterator M = FinalOverriders.begin(), 17991 MEnd = FinalOverriders.end(); 17992 M != MEnd; ++M) { 17993 for (OverridingMethods::iterator SO = M->second.begin(), 17994 SOEnd = M->second.end(); 17995 SO != SOEnd; ++SO) { 17996 assert(SO->second.size() > 0 && 17997 "Virtual function without overriding functions?"); 17998 if (SO->second.size() == 1) 17999 continue; 18000 18001 // C++ [class.virtual]p2: 18002 // In a derived class, if a virtual member function of a base 18003 // class subobject has more than one final overrider the 18004 // program is ill-formed. 18005 Diag(Record->getLocation(), diag::err_multiple_final_overriders) 18006 << (const NamedDecl *)M->first << Record; 18007 Diag(M->first->getLocation(), 18008 diag::note_overridden_virtual_function); 18009 for (OverridingMethods::overriding_iterator 18010 OM = SO->second.begin(), 18011 OMEnd = SO->second.end(); 18012 OM != OMEnd; ++OM) 18013 Diag(OM->Method->getLocation(), diag::note_final_overrider) 18014 << (const NamedDecl *)M->first << OM->Method->getParent(); 18015 18016 Record->setInvalidDecl(); 18017 } 18018 } 18019 CXXRecord->completeDefinition(&FinalOverriders); 18020 Completed = true; 18021 } 18022 } 18023 } 18024 } 18025 18026 if (!Completed) 18027 Record->completeDefinition(); 18028 18029 // Handle attributes before checking the layout. 18030 ProcessDeclAttributeList(S, Record, Attrs); 18031 18032 // Check to see if a FieldDecl is a pointer to a function. 18033 auto IsFunctionPointer = [&](const Decl *D) { 18034 const FieldDecl *FD = dyn_cast<FieldDecl>(D); 18035 if (!FD) 18036 return false; 18037 QualType FieldType = FD->getType().getDesugaredType(Context); 18038 if (isa<PointerType>(FieldType)) { 18039 QualType PointeeType = cast<PointerType>(FieldType)->getPointeeType(); 18040 return PointeeType.getDesugaredType(Context)->isFunctionType(); 18041 } 18042 return false; 18043 }; 18044 18045 // Maybe randomize the record's decls. We automatically randomize a record 18046 // of function pointers, unless it has the "no_randomize_layout" attribute. 18047 if (!getLangOpts().CPlusPlus && 18048 (Record->hasAttr<RandomizeLayoutAttr>() || 18049 (!Record->hasAttr<NoRandomizeLayoutAttr>() && 18050 llvm::all_of(Record->decls(), IsFunctionPointer))) && 18051 !Record->isUnion() && !getLangOpts().RandstructSeed.empty() && 18052 !Record->isRandomized()) { 18053 SmallVector<Decl *, 32> NewDeclOrdering; 18054 if (randstruct::randomizeStructureLayout(Context, Record, 18055 NewDeclOrdering)) 18056 Record->reorderDecls(NewDeclOrdering); 18057 } 18058 18059 // We may have deferred checking for a deleted destructor. Check now. 18060 if (CXXRecord) { 18061 auto *Dtor = CXXRecord->getDestructor(); 18062 if (Dtor && Dtor->isImplicit() && 18063 ShouldDeleteSpecialMember(Dtor, CXXDestructor)) { 18064 CXXRecord->setImplicitDestructorIsDeleted(); 18065 SetDeclDeleted(Dtor, CXXRecord->getLocation()); 18066 } 18067 } 18068 18069 if (Record->hasAttrs()) { 18070 CheckAlignasUnderalignment(Record); 18071 18072 if (const MSInheritanceAttr *IA = Record->getAttr<MSInheritanceAttr>()) 18073 checkMSInheritanceAttrOnDefinition(cast<CXXRecordDecl>(Record), 18074 IA->getRange(), IA->getBestCase(), 18075 IA->getInheritanceModel()); 18076 } 18077 18078 // Check if the structure/union declaration is a type that can have zero 18079 // size in C. For C this is a language extension, for C++ it may cause 18080 // compatibility problems. 18081 bool CheckForZeroSize; 18082 if (!getLangOpts().CPlusPlus) { 18083 CheckForZeroSize = true; 18084 } else { 18085 // For C++ filter out types that cannot be referenced in C code. 18086 CXXRecordDecl *CXXRecord = cast<CXXRecordDecl>(Record); 18087 CheckForZeroSize = 18088 CXXRecord->getLexicalDeclContext()->isExternCContext() && 18089 !CXXRecord->isDependentType() && !inTemplateInstantiation() && 18090 CXXRecord->isCLike(); 18091 } 18092 if (CheckForZeroSize) { 18093 bool ZeroSize = true; 18094 bool IsEmpty = true; 18095 unsigned NonBitFields = 0; 18096 for (RecordDecl::field_iterator I = Record->field_begin(), 18097 E = Record->field_end(); 18098 (NonBitFields == 0 || ZeroSize) && I != E; ++I) { 18099 IsEmpty = false; 18100 if (I->isUnnamedBitfield()) { 18101 if (!I->isZeroLengthBitField(Context)) 18102 ZeroSize = false; 18103 } else { 18104 ++NonBitFields; 18105 QualType FieldType = I->getType(); 18106 if (FieldType->isIncompleteType() || 18107 !Context.getTypeSizeInChars(FieldType).isZero()) 18108 ZeroSize = false; 18109 } 18110 } 18111 18112 // Empty structs are an extension in C (C99 6.7.2.1p7). They are 18113 // allowed in C++, but warn if its declaration is inside 18114 // extern "C" block. 18115 if (ZeroSize) { 18116 Diag(RecLoc, getLangOpts().CPlusPlus ? 18117 diag::warn_zero_size_struct_union_in_extern_c : 18118 diag::warn_zero_size_struct_union_compat) 18119 << IsEmpty << Record->isUnion() << (NonBitFields > 1); 18120 } 18121 18122 // Structs without named members are extension in C (C99 6.7.2.1p7), 18123 // but are accepted by GCC. 18124 if (NonBitFields == 0 && !getLangOpts().CPlusPlus) { 18125 Diag(RecLoc, IsEmpty ? diag::ext_empty_struct_union : 18126 diag::ext_no_named_members_in_struct_union) 18127 << Record->isUnion(); 18128 } 18129 } 18130 } else { 18131 ObjCIvarDecl **ClsFields = 18132 reinterpret_cast<ObjCIvarDecl**>(RecFields.data()); 18133 if (ObjCInterfaceDecl *ID = dyn_cast<ObjCInterfaceDecl>(EnclosingDecl)) { 18134 ID->setEndOfDefinitionLoc(RBrac); 18135 // Add ivar's to class's DeclContext. 18136 for (unsigned i = 0, e = RecFields.size(); i != e; ++i) { 18137 ClsFields[i]->setLexicalDeclContext(ID); 18138 ID->addDecl(ClsFields[i]); 18139 } 18140 // Must enforce the rule that ivars in the base classes may not be 18141 // duplicates. 18142 if (ID->getSuperClass()) 18143 DiagnoseDuplicateIvars(ID, ID->getSuperClass()); 18144 } else if (ObjCImplementationDecl *IMPDecl = 18145 dyn_cast<ObjCImplementationDecl>(EnclosingDecl)) { 18146 assert(IMPDecl && "ActOnFields - missing ObjCImplementationDecl"); 18147 for (unsigned I = 0, N = RecFields.size(); I != N; ++I) 18148 // Ivar declared in @implementation never belongs to the implementation. 18149 // Only it is in implementation's lexical context. 18150 ClsFields[I]->setLexicalDeclContext(IMPDecl); 18151 CheckImplementationIvars(IMPDecl, ClsFields, RecFields.size(), RBrac); 18152 IMPDecl->setIvarLBraceLoc(LBrac); 18153 IMPDecl->setIvarRBraceLoc(RBrac); 18154 } else if (ObjCCategoryDecl *CDecl = 18155 dyn_cast<ObjCCategoryDecl>(EnclosingDecl)) { 18156 // case of ivars in class extension; all other cases have been 18157 // reported as errors elsewhere. 18158 // FIXME. Class extension does not have a LocEnd field. 18159 // CDecl->setLocEnd(RBrac); 18160 // Add ivar's to class extension's DeclContext. 18161 // Diagnose redeclaration of private ivars. 18162 ObjCInterfaceDecl *IDecl = CDecl->getClassInterface(); 18163 for (unsigned i = 0, e = RecFields.size(); i != e; ++i) { 18164 if (IDecl) { 18165 if (const ObjCIvarDecl *ClsIvar = 18166 IDecl->getIvarDecl(ClsFields[i]->getIdentifier())) { 18167 Diag(ClsFields[i]->getLocation(), 18168 diag::err_duplicate_ivar_declaration); 18169 Diag(ClsIvar->getLocation(), diag::note_previous_definition); 18170 continue; 18171 } 18172 for (const auto *Ext : IDecl->known_extensions()) { 18173 if (const ObjCIvarDecl *ClsExtIvar 18174 = Ext->getIvarDecl(ClsFields[i]->getIdentifier())) { 18175 Diag(ClsFields[i]->getLocation(), 18176 diag::err_duplicate_ivar_declaration); 18177 Diag(ClsExtIvar->getLocation(), diag::note_previous_definition); 18178 continue; 18179 } 18180 } 18181 } 18182 ClsFields[i]->setLexicalDeclContext(CDecl); 18183 CDecl->addDecl(ClsFields[i]); 18184 } 18185 CDecl->setIvarLBraceLoc(LBrac); 18186 CDecl->setIvarRBraceLoc(RBrac); 18187 } 18188 } 18189 } 18190 18191 /// Determine whether the given integral value is representable within 18192 /// the given type T. 18193 static bool isRepresentableIntegerValue(ASTContext &Context, 18194 llvm::APSInt &Value, 18195 QualType T) { 18196 assert((T->isIntegralType(Context) || T->isEnumeralType()) && 18197 "Integral type required!"); 18198 unsigned BitWidth = Context.getIntWidth(T); 18199 18200 if (Value.isUnsigned() || Value.isNonNegative()) { 18201 if (T->isSignedIntegerOrEnumerationType()) 18202 --BitWidth; 18203 return Value.getActiveBits() <= BitWidth; 18204 } 18205 return Value.getMinSignedBits() <= BitWidth; 18206 } 18207 18208 // Given an integral type, return the next larger integral type 18209 // (or a NULL type of no such type exists). 18210 static QualType getNextLargerIntegralType(ASTContext &Context, QualType T) { 18211 // FIXME: Int128/UInt128 support, which also needs to be introduced into 18212 // enum checking below. 18213 assert((T->isIntegralType(Context) || 18214 T->isEnumeralType()) && "Integral type required!"); 18215 const unsigned NumTypes = 4; 18216 QualType SignedIntegralTypes[NumTypes] = { 18217 Context.ShortTy, Context.IntTy, Context.LongTy, Context.LongLongTy 18218 }; 18219 QualType UnsignedIntegralTypes[NumTypes] = { 18220 Context.UnsignedShortTy, Context.UnsignedIntTy, Context.UnsignedLongTy, 18221 Context.UnsignedLongLongTy 18222 }; 18223 18224 unsigned BitWidth = Context.getTypeSize(T); 18225 QualType *Types = T->isSignedIntegerOrEnumerationType()? SignedIntegralTypes 18226 : UnsignedIntegralTypes; 18227 for (unsigned I = 0; I != NumTypes; ++I) 18228 if (Context.getTypeSize(Types[I]) > BitWidth) 18229 return Types[I]; 18230 18231 return QualType(); 18232 } 18233 18234 EnumConstantDecl *Sema::CheckEnumConstant(EnumDecl *Enum, 18235 EnumConstantDecl *LastEnumConst, 18236 SourceLocation IdLoc, 18237 IdentifierInfo *Id, 18238 Expr *Val) { 18239 unsigned IntWidth = Context.getTargetInfo().getIntWidth(); 18240 llvm::APSInt EnumVal(IntWidth); 18241 QualType EltTy; 18242 18243 if (Val && DiagnoseUnexpandedParameterPack(Val, UPPC_EnumeratorValue)) 18244 Val = nullptr; 18245 18246 if (Val) 18247 Val = DefaultLvalueConversion(Val).get(); 18248 18249 if (Val) { 18250 if (Enum->isDependentType() || Val->isTypeDependent() || 18251 Val->containsErrors()) 18252 EltTy = Context.DependentTy; 18253 else { 18254 // FIXME: We don't allow folding in C++11 mode for an enum with a fixed 18255 // underlying type, but do allow it in all other contexts. 18256 if (getLangOpts().CPlusPlus11 && Enum->isFixed()) { 18257 // C++11 [dcl.enum]p5: If the underlying type is fixed, [...] the 18258 // constant-expression in the enumerator-definition shall be a converted 18259 // constant expression of the underlying type. 18260 EltTy = Enum->getIntegerType(); 18261 ExprResult Converted = 18262 CheckConvertedConstantExpression(Val, EltTy, EnumVal, 18263 CCEK_Enumerator); 18264 if (Converted.isInvalid()) 18265 Val = nullptr; 18266 else 18267 Val = Converted.get(); 18268 } else if (!Val->isValueDependent() && 18269 !(Val = 18270 VerifyIntegerConstantExpression(Val, &EnumVal, AllowFold) 18271 .get())) { 18272 // C99 6.7.2.2p2: Make sure we have an integer constant expression. 18273 } else { 18274 if (Enum->isComplete()) { 18275 EltTy = Enum->getIntegerType(); 18276 18277 // In Obj-C and Microsoft mode, require the enumeration value to be 18278 // representable in the underlying type of the enumeration. In C++11, 18279 // we perform a non-narrowing conversion as part of converted constant 18280 // expression checking. 18281 if (!isRepresentableIntegerValue(Context, EnumVal, EltTy)) { 18282 if (Context.getTargetInfo() 18283 .getTriple() 18284 .isWindowsMSVCEnvironment()) { 18285 Diag(IdLoc, diag::ext_enumerator_too_large) << EltTy; 18286 } else { 18287 Diag(IdLoc, diag::err_enumerator_too_large) << EltTy; 18288 } 18289 } 18290 18291 // Cast to the underlying type. 18292 Val = ImpCastExprToType(Val, EltTy, 18293 EltTy->isBooleanType() ? CK_IntegralToBoolean 18294 : CK_IntegralCast) 18295 .get(); 18296 } else if (getLangOpts().CPlusPlus) { 18297 // C++11 [dcl.enum]p5: 18298 // If the underlying type is not fixed, the type of each enumerator 18299 // is the type of its initializing value: 18300 // - If an initializer is specified for an enumerator, the 18301 // initializing value has the same type as the expression. 18302 EltTy = Val->getType(); 18303 } else { 18304 // C99 6.7.2.2p2: 18305 // The expression that defines the value of an enumeration constant 18306 // shall be an integer constant expression that has a value 18307 // representable as an int. 18308 18309 // Complain if the value is not representable in an int. 18310 if (!isRepresentableIntegerValue(Context, EnumVal, Context.IntTy)) 18311 Diag(IdLoc, diag::ext_enum_value_not_int) 18312 << toString(EnumVal, 10) << Val->getSourceRange() 18313 << (EnumVal.isUnsigned() || EnumVal.isNonNegative()); 18314 else if (!Context.hasSameType(Val->getType(), Context.IntTy)) { 18315 // Force the type of the expression to 'int'. 18316 Val = ImpCastExprToType(Val, Context.IntTy, CK_IntegralCast).get(); 18317 } 18318 EltTy = Val->getType(); 18319 } 18320 } 18321 } 18322 } 18323 18324 if (!Val) { 18325 if (Enum->isDependentType()) 18326 EltTy = Context.DependentTy; 18327 else if (!LastEnumConst) { 18328 // C++0x [dcl.enum]p5: 18329 // If the underlying type is not fixed, the type of each enumerator 18330 // is the type of its initializing value: 18331 // - If no initializer is specified for the first enumerator, the 18332 // initializing value has an unspecified integral type. 18333 // 18334 // GCC uses 'int' for its unspecified integral type, as does 18335 // C99 6.7.2.2p3. 18336 if (Enum->isFixed()) { 18337 EltTy = Enum->getIntegerType(); 18338 } 18339 else { 18340 EltTy = Context.IntTy; 18341 } 18342 } else { 18343 // Assign the last value + 1. 18344 EnumVal = LastEnumConst->getInitVal(); 18345 ++EnumVal; 18346 EltTy = LastEnumConst->getType(); 18347 18348 // Check for overflow on increment. 18349 if (EnumVal < LastEnumConst->getInitVal()) { 18350 // C++0x [dcl.enum]p5: 18351 // If the underlying type is not fixed, the type of each enumerator 18352 // is the type of its initializing value: 18353 // 18354 // - Otherwise the type of the initializing value is the same as 18355 // the type of the initializing value of the preceding enumerator 18356 // unless the incremented value is not representable in that type, 18357 // in which case the type is an unspecified integral type 18358 // sufficient to contain the incremented value. If no such type 18359 // exists, the program is ill-formed. 18360 QualType T = getNextLargerIntegralType(Context, EltTy); 18361 if (T.isNull() || Enum->isFixed()) { 18362 // There is no integral type larger enough to represent this 18363 // value. Complain, then allow the value to wrap around. 18364 EnumVal = LastEnumConst->getInitVal(); 18365 EnumVal = EnumVal.zext(EnumVal.getBitWidth() * 2); 18366 ++EnumVal; 18367 if (Enum->isFixed()) 18368 // When the underlying type is fixed, this is ill-formed. 18369 Diag(IdLoc, diag::err_enumerator_wrapped) 18370 << toString(EnumVal, 10) 18371 << EltTy; 18372 else 18373 Diag(IdLoc, diag::ext_enumerator_increment_too_large) 18374 << toString(EnumVal, 10); 18375 } else { 18376 EltTy = T; 18377 } 18378 18379 // Retrieve the last enumerator's value, extent that type to the 18380 // type that is supposed to be large enough to represent the incremented 18381 // value, then increment. 18382 EnumVal = LastEnumConst->getInitVal(); 18383 EnumVal.setIsSigned(EltTy->isSignedIntegerOrEnumerationType()); 18384 EnumVal = EnumVal.zextOrTrunc(Context.getIntWidth(EltTy)); 18385 ++EnumVal; 18386 18387 // If we're not in C++, diagnose the overflow of enumerator values, 18388 // which in C99 means that the enumerator value is not representable in 18389 // an int (C99 6.7.2.2p2). However, we support GCC's extension that 18390 // permits enumerator values that are representable in some larger 18391 // integral type. 18392 if (!getLangOpts().CPlusPlus && !T.isNull()) 18393 Diag(IdLoc, diag::warn_enum_value_overflow); 18394 } else if (!getLangOpts().CPlusPlus && 18395 !isRepresentableIntegerValue(Context, EnumVal, EltTy)) { 18396 // Enforce C99 6.7.2.2p2 even when we compute the next value. 18397 Diag(IdLoc, diag::ext_enum_value_not_int) 18398 << toString(EnumVal, 10) << 1; 18399 } 18400 } 18401 } 18402 18403 if (!EltTy->isDependentType()) { 18404 // Make the enumerator value match the signedness and size of the 18405 // enumerator's type. 18406 EnumVal = EnumVal.extOrTrunc(Context.getIntWidth(EltTy)); 18407 EnumVal.setIsSigned(EltTy->isSignedIntegerOrEnumerationType()); 18408 } 18409 18410 return EnumConstantDecl::Create(Context, Enum, IdLoc, Id, EltTy, 18411 Val, EnumVal); 18412 } 18413 18414 Sema::SkipBodyInfo Sema::shouldSkipAnonEnumBody(Scope *S, IdentifierInfo *II, 18415 SourceLocation IILoc) { 18416 if (!(getLangOpts().Modules || getLangOpts().ModulesLocalVisibility) || 18417 !getLangOpts().CPlusPlus) 18418 return SkipBodyInfo(); 18419 18420 // We have an anonymous enum definition. Look up the first enumerator to 18421 // determine if we should merge the definition with an existing one and 18422 // skip the body. 18423 NamedDecl *PrevDecl = LookupSingleName(S, II, IILoc, LookupOrdinaryName, 18424 forRedeclarationInCurContext()); 18425 auto *PrevECD = dyn_cast_or_null<EnumConstantDecl>(PrevDecl); 18426 if (!PrevECD) 18427 return SkipBodyInfo(); 18428 18429 EnumDecl *PrevED = cast<EnumDecl>(PrevECD->getDeclContext()); 18430 NamedDecl *Hidden; 18431 if (!PrevED->getDeclName() && !hasVisibleDefinition(PrevED, &Hidden)) { 18432 SkipBodyInfo Skip; 18433 Skip.Previous = Hidden; 18434 return Skip; 18435 } 18436 18437 return SkipBodyInfo(); 18438 } 18439 18440 Decl *Sema::ActOnEnumConstant(Scope *S, Decl *theEnumDecl, Decl *lastEnumConst, 18441 SourceLocation IdLoc, IdentifierInfo *Id, 18442 const ParsedAttributesView &Attrs, 18443 SourceLocation EqualLoc, Expr *Val) { 18444 EnumDecl *TheEnumDecl = cast<EnumDecl>(theEnumDecl); 18445 EnumConstantDecl *LastEnumConst = 18446 cast_or_null<EnumConstantDecl>(lastEnumConst); 18447 18448 // The scope passed in may not be a decl scope. Zip up the scope tree until 18449 // we find one that is. 18450 S = getNonFieldDeclScope(S); 18451 18452 // Verify that there isn't already something declared with this name in this 18453 // scope. 18454 LookupResult R(*this, Id, IdLoc, LookupOrdinaryName, ForVisibleRedeclaration); 18455 LookupName(R, S); 18456 NamedDecl *PrevDecl = R.getAsSingle<NamedDecl>(); 18457 18458 if (PrevDecl && PrevDecl->isTemplateParameter()) { 18459 // Maybe we will complain about the shadowed template parameter. 18460 DiagnoseTemplateParameterShadow(IdLoc, PrevDecl); 18461 // Just pretend that we didn't see the previous declaration. 18462 PrevDecl = nullptr; 18463 } 18464 18465 // C++ [class.mem]p15: 18466 // If T is the name of a class, then each of the following shall have a name 18467 // different from T: 18468 // - every enumerator of every member of class T that is an unscoped 18469 // enumerated type 18470 if (getLangOpts().CPlusPlus && !TheEnumDecl->isScoped()) 18471 DiagnoseClassNameShadow(TheEnumDecl->getDeclContext(), 18472 DeclarationNameInfo(Id, IdLoc)); 18473 18474 EnumConstantDecl *New = 18475 CheckEnumConstant(TheEnumDecl, LastEnumConst, IdLoc, Id, Val); 18476 if (!New) 18477 return nullptr; 18478 18479 if (PrevDecl) { 18480 if (!TheEnumDecl->isScoped() && isa<ValueDecl>(PrevDecl)) { 18481 // Check for other kinds of shadowing not already handled. 18482 CheckShadow(New, PrevDecl, R); 18483 } 18484 18485 // When in C++, we may get a TagDecl with the same name; in this case the 18486 // enum constant will 'hide' the tag. 18487 assert((getLangOpts().CPlusPlus || !isa<TagDecl>(PrevDecl)) && 18488 "Received TagDecl when not in C++!"); 18489 if (!isa<TagDecl>(PrevDecl) && isDeclInScope(PrevDecl, CurContext, S)) { 18490 if (isa<EnumConstantDecl>(PrevDecl)) 18491 Diag(IdLoc, diag::err_redefinition_of_enumerator) << Id; 18492 else 18493 Diag(IdLoc, diag::err_redefinition) << Id; 18494 notePreviousDefinition(PrevDecl, IdLoc); 18495 return nullptr; 18496 } 18497 } 18498 18499 // Process attributes. 18500 ProcessDeclAttributeList(S, New, Attrs); 18501 AddPragmaAttributes(S, New); 18502 18503 // Register this decl in the current scope stack. 18504 New->setAccess(TheEnumDecl->getAccess()); 18505 PushOnScopeChains(New, S); 18506 18507 ActOnDocumentableDecl(New); 18508 18509 return New; 18510 } 18511 18512 // Returns true when the enum initial expression does not trigger the 18513 // duplicate enum warning. A few common cases are exempted as follows: 18514 // Element2 = Element1 18515 // Element2 = Element1 + 1 18516 // Element2 = Element1 - 1 18517 // Where Element2 and Element1 are from the same enum. 18518 static bool ValidDuplicateEnum(EnumConstantDecl *ECD, EnumDecl *Enum) { 18519 Expr *InitExpr = ECD->getInitExpr(); 18520 if (!InitExpr) 18521 return true; 18522 InitExpr = InitExpr->IgnoreImpCasts(); 18523 18524 if (BinaryOperator *BO = dyn_cast<BinaryOperator>(InitExpr)) { 18525 if (!BO->isAdditiveOp()) 18526 return true; 18527 IntegerLiteral *IL = dyn_cast<IntegerLiteral>(BO->getRHS()); 18528 if (!IL) 18529 return true; 18530 if (IL->getValue() != 1) 18531 return true; 18532 18533 InitExpr = BO->getLHS(); 18534 } 18535 18536 // This checks if the elements are from the same enum. 18537 DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(InitExpr); 18538 if (!DRE) 18539 return true; 18540 18541 EnumConstantDecl *EnumConstant = dyn_cast<EnumConstantDecl>(DRE->getDecl()); 18542 if (!EnumConstant) 18543 return true; 18544 18545 if (cast<EnumDecl>(TagDecl::castFromDeclContext(ECD->getDeclContext())) != 18546 Enum) 18547 return true; 18548 18549 return false; 18550 } 18551 18552 // Emits a warning when an element is implicitly set a value that 18553 // a previous element has already been set to. 18554 static void CheckForDuplicateEnumValues(Sema &S, ArrayRef<Decl *> Elements, 18555 EnumDecl *Enum, QualType EnumType) { 18556 // Avoid anonymous enums 18557 if (!Enum->getIdentifier()) 18558 return; 18559 18560 // Only check for small enums. 18561 if (Enum->getNumPositiveBits() > 63 || Enum->getNumNegativeBits() > 64) 18562 return; 18563 18564 if (S.Diags.isIgnored(diag::warn_duplicate_enum_values, Enum->getLocation())) 18565 return; 18566 18567 typedef SmallVector<EnumConstantDecl *, 3> ECDVector; 18568 typedef SmallVector<std::unique_ptr<ECDVector>, 3> DuplicatesVector; 18569 18570 typedef llvm::PointerUnion<EnumConstantDecl*, ECDVector*> DeclOrVector; 18571 18572 // DenseMaps cannot contain the all ones int64_t value, so use unordered_map. 18573 typedef std::unordered_map<int64_t, DeclOrVector> ValueToVectorMap; 18574 18575 // Use int64_t as a key to avoid needing special handling for map keys. 18576 auto EnumConstantToKey = [](const EnumConstantDecl *D) { 18577 llvm::APSInt Val = D->getInitVal(); 18578 return Val.isSigned() ? Val.getSExtValue() : Val.getZExtValue(); 18579 }; 18580 18581 DuplicatesVector DupVector; 18582 ValueToVectorMap EnumMap; 18583 18584 // Populate the EnumMap with all values represented by enum constants without 18585 // an initializer. 18586 for (auto *Element : Elements) { 18587 EnumConstantDecl *ECD = cast_or_null<EnumConstantDecl>(Element); 18588 18589 // Null EnumConstantDecl means a previous diagnostic has been emitted for 18590 // this constant. Skip this enum since it may be ill-formed. 18591 if (!ECD) { 18592 return; 18593 } 18594 18595 // Constants with initalizers are handled in the next loop. 18596 if (ECD->getInitExpr()) 18597 continue; 18598 18599 // Duplicate values are handled in the next loop. 18600 EnumMap.insert({EnumConstantToKey(ECD), ECD}); 18601 } 18602 18603 if (EnumMap.size() == 0) 18604 return; 18605 18606 // Create vectors for any values that has duplicates. 18607 for (auto *Element : Elements) { 18608 // The last loop returned if any constant was null. 18609 EnumConstantDecl *ECD = cast<EnumConstantDecl>(Element); 18610 if (!ValidDuplicateEnum(ECD, Enum)) 18611 continue; 18612 18613 auto Iter = EnumMap.find(EnumConstantToKey(ECD)); 18614 if (Iter == EnumMap.end()) 18615 continue; 18616 18617 DeclOrVector& Entry = Iter->second; 18618 if (EnumConstantDecl *D = Entry.dyn_cast<EnumConstantDecl*>()) { 18619 // Ensure constants are different. 18620 if (D == ECD) 18621 continue; 18622 18623 // Create new vector and push values onto it. 18624 auto Vec = std::make_unique<ECDVector>(); 18625 Vec->push_back(D); 18626 Vec->push_back(ECD); 18627 18628 // Update entry to point to the duplicates vector. 18629 Entry = Vec.get(); 18630 18631 // Store the vector somewhere we can consult later for quick emission of 18632 // diagnostics. 18633 DupVector.emplace_back(std::move(Vec)); 18634 continue; 18635 } 18636 18637 ECDVector *Vec = Entry.get<ECDVector*>(); 18638 // Make sure constants are not added more than once. 18639 if (*Vec->begin() == ECD) 18640 continue; 18641 18642 Vec->push_back(ECD); 18643 } 18644 18645 // Emit diagnostics. 18646 for (const auto &Vec : DupVector) { 18647 assert(Vec->size() > 1 && "ECDVector should have at least 2 elements."); 18648 18649 // Emit warning for one enum constant. 18650 auto *FirstECD = Vec->front(); 18651 S.Diag(FirstECD->getLocation(), diag::warn_duplicate_enum_values) 18652 << FirstECD << toString(FirstECD->getInitVal(), 10) 18653 << FirstECD->getSourceRange(); 18654 18655 // Emit one note for each of the remaining enum constants with 18656 // the same value. 18657 for (auto *ECD : llvm::drop_begin(*Vec)) 18658 S.Diag(ECD->getLocation(), diag::note_duplicate_element) 18659 << ECD << toString(ECD->getInitVal(), 10) 18660 << ECD->getSourceRange(); 18661 } 18662 } 18663 18664 bool Sema::IsValueInFlagEnum(const EnumDecl *ED, const llvm::APInt &Val, 18665 bool AllowMask) const { 18666 assert(ED->isClosedFlag() && "looking for value in non-flag or open enum"); 18667 assert(ED->isCompleteDefinition() && "expected enum definition"); 18668 18669 auto R = FlagBitsCache.insert(std::make_pair(ED, llvm::APInt())); 18670 llvm::APInt &FlagBits = R.first->second; 18671 18672 if (R.second) { 18673 for (auto *E : ED->enumerators()) { 18674 const auto &EVal = E->getInitVal(); 18675 // Only single-bit enumerators introduce new flag values. 18676 if (EVal.isPowerOf2()) 18677 FlagBits = FlagBits.zext(EVal.getBitWidth()) | EVal; 18678 } 18679 } 18680 18681 // A value is in a flag enum if either its bits are a subset of the enum's 18682 // flag bits (the first condition) or we are allowing masks and the same is 18683 // true of its complement (the second condition). When masks are allowed, we 18684 // allow the common idiom of ~(enum1 | enum2) to be a valid enum value. 18685 // 18686 // While it's true that any value could be used as a mask, the assumption is 18687 // that a mask will have all of the insignificant bits set. Anything else is 18688 // likely a logic error. 18689 llvm::APInt FlagMask = ~FlagBits.zextOrTrunc(Val.getBitWidth()); 18690 return !(FlagMask & Val) || (AllowMask && !(FlagMask & ~Val)); 18691 } 18692 18693 void Sema::ActOnEnumBody(SourceLocation EnumLoc, SourceRange BraceRange, 18694 Decl *EnumDeclX, ArrayRef<Decl *> Elements, Scope *S, 18695 const ParsedAttributesView &Attrs) { 18696 EnumDecl *Enum = cast<EnumDecl>(EnumDeclX); 18697 QualType EnumType = Context.getTypeDeclType(Enum); 18698 18699 ProcessDeclAttributeList(S, Enum, Attrs); 18700 18701 if (Enum->isDependentType()) { 18702 for (unsigned i = 0, e = Elements.size(); i != e; ++i) { 18703 EnumConstantDecl *ECD = 18704 cast_or_null<EnumConstantDecl>(Elements[i]); 18705 if (!ECD) continue; 18706 18707 ECD->setType(EnumType); 18708 } 18709 18710 Enum->completeDefinition(Context.DependentTy, Context.DependentTy, 0, 0); 18711 return; 18712 } 18713 18714 // TODO: If the result value doesn't fit in an int, it must be a long or long 18715 // long value. ISO C does not support this, but GCC does as an extension, 18716 // emit a warning. 18717 unsigned IntWidth = Context.getTargetInfo().getIntWidth(); 18718 unsigned CharWidth = Context.getTargetInfo().getCharWidth(); 18719 unsigned ShortWidth = Context.getTargetInfo().getShortWidth(); 18720 18721 // Verify that all the values are okay, compute the size of the values, and 18722 // reverse the list. 18723 unsigned NumNegativeBits = 0; 18724 unsigned NumPositiveBits = 0; 18725 18726 for (unsigned i = 0, e = Elements.size(); i != e; ++i) { 18727 EnumConstantDecl *ECD = 18728 cast_or_null<EnumConstantDecl>(Elements[i]); 18729 if (!ECD) continue; // Already issued a diagnostic. 18730 18731 const llvm::APSInt &InitVal = ECD->getInitVal(); 18732 18733 // Keep track of the size of positive and negative values. 18734 if (InitVal.isUnsigned() || InitVal.isNonNegative()) 18735 NumPositiveBits = std::max(NumPositiveBits, 18736 (unsigned)InitVal.getActiveBits()); 18737 else 18738 NumNegativeBits = std::max(NumNegativeBits, 18739 (unsigned)InitVal.getMinSignedBits()); 18740 } 18741 18742 // Figure out the type that should be used for this enum. 18743 QualType BestType; 18744 unsigned BestWidth; 18745 18746 // C++0x N3000 [conv.prom]p3: 18747 // An rvalue of an unscoped enumeration type whose underlying 18748 // type is not fixed can be converted to an rvalue of the first 18749 // of the following types that can represent all the values of 18750 // the enumeration: int, unsigned int, long int, unsigned long 18751 // int, long long int, or unsigned long long int. 18752 // C99 6.4.4.3p2: 18753 // An identifier declared as an enumeration constant has type int. 18754 // The C99 rule is modified by a gcc extension 18755 QualType BestPromotionType; 18756 18757 bool Packed = Enum->hasAttr<PackedAttr>(); 18758 // -fshort-enums is the equivalent to specifying the packed attribute on all 18759 // enum definitions. 18760 if (LangOpts.ShortEnums) 18761 Packed = true; 18762 18763 // If the enum already has a type because it is fixed or dictated by the 18764 // target, promote that type instead of analyzing the enumerators. 18765 if (Enum->isComplete()) { 18766 BestType = Enum->getIntegerType(); 18767 if (BestType->isPromotableIntegerType()) 18768 BestPromotionType = Context.getPromotedIntegerType(BestType); 18769 else 18770 BestPromotionType = BestType; 18771 18772 BestWidth = Context.getIntWidth(BestType); 18773 } 18774 else if (NumNegativeBits) { 18775 // If there is a negative value, figure out the smallest integer type (of 18776 // int/long/longlong) that fits. 18777 // If it's packed, check also if it fits a char or a short. 18778 if (Packed && NumNegativeBits <= CharWidth && NumPositiveBits < CharWidth) { 18779 BestType = Context.SignedCharTy; 18780 BestWidth = CharWidth; 18781 } else if (Packed && NumNegativeBits <= ShortWidth && 18782 NumPositiveBits < ShortWidth) { 18783 BestType = Context.ShortTy; 18784 BestWidth = ShortWidth; 18785 } else if (NumNegativeBits <= IntWidth && NumPositiveBits < IntWidth) { 18786 BestType = Context.IntTy; 18787 BestWidth = IntWidth; 18788 } else { 18789 BestWidth = Context.getTargetInfo().getLongWidth(); 18790 18791 if (NumNegativeBits <= BestWidth && NumPositiveBits < BestWidth) { 18792 BestType = Context.LongTy; 18793 } else { 18794 BestWidth = Context.getTargetInfo().getLongLongWidth(); 18795 18796 if (NumNegativeBits > BestWidth || NumPositiveBits >= BestWidth) 18797 Diag(Enum->getLocation(), diag::ext_enum_too_large); 18798 BestType = Context.LongLongTy; 18799 } 18800 } 18801 BestPromotionType = (BestWidth <= IntWidth ? Context.IntTy : BestType); 18802 } else { 18803 // If there is no negative value, figure out the smallest type that fits 18804 // all of the enumerator values. 18805 // If it's packed, check also if it fits a char or a short. 18806 if (Packed && NumPositiveBits <= CharWidth) { 18807 BestType = Context.UnsignedCharTy; 18808 BestPromotionType = Context.IntTy; 18809 BestWidth = CharWidth; 18810 } else if (Packed && NumPositiveBits <= ShortWidth) { 18811 BestType = Context.UnsignedShortTy; 18812 BestPromotionType = Context.IntTy; 18813 BestWidth = ShortWidth; 18814 } else if (NumPositiveBits <= IntWidth) { 18815 BestType = Context.UnsignedIntTy; 18816 BestWidth = IntWidth; 18817 BestPromotionType 18818 = (NumPositiveBits == BestWidth || !getLangOpts().CPlusPlus) 18819 ? Context.UnsignedIntTy : Context.IntTy; 18820 } else if (NumPositiveBits <= 18821 (BestWidth = Context.getTargetInfo().getLongWidth())) { 18822 BestType = Context.UnsignedLongTy; 18823 BestPromotionType 18824 = (NumPositiveBits == BestWidth || !getLangOpts().CPlusPlus) 18825 ? Context.UnsignedLongTy : Context.LongTy; 18826 } else { 18827 BestWidth = Context.getTargetInfo().getLongLongWidth(); 18828 assert(NumPositiveBits <= BestWidth && 18829 "How could an initializer get larger than ULL?"); 18830 BestType = Context.UnsignedLongLongTy; 18831 BestPromotionType 18832 = (NumPositiveBits == BestWidth || !getLangOpts().CPlusPlus) 18833 ? Context.UnsignedLongLongTy : Context.LongLongTy; 18834 } 18835 } 18836 18837 // Loop over all of the enumerator constants, changing their types to match 18838 // the type of the enum if needed. 18839 for (auto *D : Elements) { 18840 auto *ECD = cast_or_null<EnumConstantDecl>(D); 18841 if (!ECD) continue; // Already issued a diagnostic. 18842 18843 // Standard C says the enumerators have int type, but we allow, as an 18844 // extension, the enumerators to be larger than int size. If each 18845 // enumerator value fits in an int, type it as an int, otherwise type it the 18846 // same as the enumerator decl itself. This means that in "enum { X = 1U }" 18847 // that X has type 'int', not 'unsigned'. 18848 18849 // Determine whether the value fits into an int. 18850 llvm::APSInt InitVal = ECD->getInitVal(); 18851 18852 // If it fits into an integer type, force it. Otherwise force it to match 18853 // the enum decl type. 18854 QualType NewTy; 18855 unsigned NewWidth; 18856 bool NewSign; 18857 if (!getLangOpts().CPlusPlus && 18858 !Enum->isFixed() && 18859 isRepresentableIntegerValue(Context, InitVal, Context.IntTy)) { 18860 NewTy = Context.IntTy; 18861 NewWidth = IntWidth; 18862 NewSign = true; 18863 } else if (ECD->getType() == BestType) { 18864 // Already the right type! 18865 if (getLangOpts().CPlusPlus) 18866 // C++ [dcl.enum]p4: Following the closing brace of an 18867 // enum-specifier, each enumerator has the type of its 18868 // enumeration. 18869 ECD->setType(EnumType); 18870 continue; 18871 } else { 18872 NewTy = BestType; 18873 NewWidth = BestWidth; 18874 NewSign = BestType->isSignedIntegerOrEnumerationType(); 18875 } 18876 18877 // Adjust the APSInt value. 18878 InitVal = InitVal.extOrTrunc(NewWidth); 18879 InitVal.setIsSigned(NewSign); 18880 ECD->setInitVal(InitVal); 18881 18882 // Adjust the Expr initializer and type. 18883 if (ECD->getInitExpr() && 18884 !Context.hasSameType(NewTy, ECD->getInitExpr()->getType())) 18885 ECD->setInitExpr(ImplicitCastExpr::Create( 18886 Context, NewTy, CK_IntegralCast, ECD->getInitExpr(), 18887 /*base paths*/ nullptr, VK_PRValue, FPOptionsOverride())); 18888 if (getLangOpts().CPlusPlus) 18889 // C++ [dcl.enum]p4: Following the closing brace of an 18890 // enum-specifier, each enumerator has the type of its 18891 // enumeration. 18892 ECD->setType(EnumType); 18893 else 18894 ECD->setType(NewTy); 18895 } 18896 18897 Enum->completeDefinition(BestType, BestPromotionType, 18898 NumPositiveBits, NumNegativeBits); 18899 18900 CheckForDuplicateEnumValues(*this, Elements, Enum, EnumType); 18901 18902 if (Enum->isClosedFlag()) { 18903 for (Decl *D : Elements) { 18904 EnumConstantDecl *ECD = cast_or_null<EnumConstantDecl>(D); 18905 if (!ECD) continue; // Already issued a diagnostic. 18906 18907 llvm::APSInt InitVal = ECD->getInitVal(); 18908 if (InitVal != 0 && !InitVal.isPowerOf2() && 18909 !IsValueInFlagEnum(Enum, InitVal, true)) 18910 Diag(ECD->getLocation(), diag::warn_flag_enum_constant_out_of_range) 18911 << ECD << Enum; 18912 } 18913 } 18914 18915 // Now that the enum type is defined, ensure it's not been underaligned. 18916 if (Enum->hasAttrs()) 18917 CheckAlignasUnderalignment(Enum); 18918 } 18919 18920 Decl *Sema::ActOnFileScopeAsmDecl(Expr *expr, 18921 SourceLocation StartLoc, 18922 SourceLocation EndLoc) { 18923 StringLiteral *AsmString = cast<StringLiteral>(expr); 18924 18925 FileScopeAsmDecl *New = FileScopeAsmDecl::Create(Context, CurContext, 18926 AsmString, StartLoc, 18927 EndLoc); 18928 CurContext->addDecl(New); 18929 return New; 18930 } 18931 18932 void Sema::ActOnPragmaRedefineExtname(IdentifierInfo* Name, 18933 IdentifierInfo* AliasName, 18934 SourceLocation PragmaLoc, 18935 SourceLocation NameLoc, 18936 SourceLocation AliasNameLoc) { 18937 NamedDecl *PrevDecl = LookupSingleName(TUScope, Name, NameLoc, 18938 LookupOrdinaryName); 18939 AttributeCommonInfo Info(AliasName, SourceRange(AliasNameLoc), 18940 AttributeCommonInfo::AS_Pragma); 18941 AsmLabelAttr *Attr = AsmLabelAttr::CreateImplicit( 18942 Context, AliasName->getName(), /*IsLiteralLabel=*/true, Info); 18943 18944 // If a declaration that: 18945 // 1) declares a function or a variable 18946 // 2) has external linkage 18947 // already exists, add a label attribute to it. 18948 if (PrevDecl && (isa<FunctionDecl>(PrevDecl) || isa<VarDecl>(PrevDecl))) { 18949 if (isDeclExternC(PrevDecl)) 18950 PrevDecl->addAttr(Attr); 18951 else 18952 Diag(PrevDecl->getLocation(), diag::warn_redefine_extname_not_applied) 18953 << /*Variable*/(isa<FunctionDecl>(PrevDecl) ? 0 : 1) << PrevDecl; 18954 // Otherwise, add a label atttibute to ExtnameUndeclaredIdentifiers. 18955 } else 18956 (void)ExtnameUndeclaredIdentifiers.insert(std::make_pair(Name, Attr)); 18957 } 18958 18959 void Sema::ActOnPragmaWeakID(IdentifierInfo* Name, 18960 SourceLocation PragmaLoc, 18961 SourceLocation NameLoc) { 18962 Decl *PrevDecl = LookupSingleName(TUScope, Name, NameLoc, LookupOrdinaryName); 18963 18964 if (PrevDecl) { 18965 PrevDecl->addAttr(WeakAttr::CreateImplicit(Context, PragmaLoc, AttributeCommonInfo::AS_Pragma)); 18966 } else { 18967 (void)WeakUndeclaredIdentifiers[Name].insert(WeakInfo(nullptr, NameLoc)); 18968 } 18969 } 18970 18971 void Sema::ActOnPragmaWeakAlias(IdentifierInfo* Name, 18972 IdentifierInfo* AliasName, 18973 SourceLocation PragmaLoc, 18974 SourceLocation NameLoc, 18975 SourceLocation AliasNameLoc) { 18976 Decl *PrevDecl = LookupSingleName(TUScope, AliasName, AliasNameLoc, 18977 LookupOrdinaryName); 18978 WeakInfo W = WeakInfo(Name, NameLoc); 18979 18980 if (PrevDecl && (isa<FunctionDecl>(PrevDecl) || isa<VarDecl>(PrevDecl))) { 18981 if (!PrevDecl->hasAttr<AliasAttr>()) 18982 if (NamedDecl *ND = dyn_cast<NamedDecl>(PrevDecl)) 18983 DeclApplyPragmaWeak(TUScope, ND, W); 18984 } else { 18985 (void)WeakUndeclaredIdentifiers[AliasName].insert(W); 18986 } 18987 } 18988 18989 ObjCContainerDecl *Sema::getObjCDeclContext() const { 18990 return (dyn_cast_or_null<ObjCContainerDecl>(CurContext)); 18991 } 18992 18993 Sema::FunctionEmissionStatus Sema::getEmissionStatus(FunctionDecl *FD, 18994 bool Final) { 18995 assert(FD && "Expected non-null FunctionDecl"); 18996 18997 // SYCL functions can be template, so we check if they have appropriate 18998 // attribute prior to checking if it is a template. 18999 if (LangOpts.SYCLIsDevice && FD->hasAttr<SYCLKernelAttr>()) 19000 return FunctionEmissionStatus::Emitted; 19001 19002 // Templates are emitted when they're instantiated. 19003 if (FD->isDependentContext()) 19004 return FunctionEmissionStatus::TemplateDiscarded; 19005 19006 // Check whether this function is an externally visible definition. 19007 auto IsEmittedForExternalSymbol = [this, FD]() { 19008 // We have to check the GVA linkage of the function's *definition* -- if we 19009 // only have a declaration, we don't know whether or not the function will 19010 // be emitted, because (say) the definition could include "inline". 19011 FunctionDecl *Def = FD->getDefinition(); 19012 19013 return Def && !isDiscardableGVALinkage( 19014 getASTContext().GetGVALinkageForFunction(Def)); 19015 }; 19016 19017 if (LangOpts.OpenMPIsDevice) { 19018 // In OpenMP device mode we will not emit host only functions, or functions 19019 // we don't need due to their linkage. 19020 Optional<OMPDeclareTargetDeclAttr::DevTypeTy> DevTy = 19021 OMPDeclareTargetDeclAttr::getDeviceType(FD->getCanonicalDecl()); 19022 // DevTy may be changed later by 19023 // #pragma omp declare target to(*) device_type(*). 19024 // Therefore DevTy having no value does not imply host. The emission status 19025 // will be checked again at the end of compilation unit with Final = true. 19026 if (DevTy.hasValue()) 19027 if (*DevTy == OMPDeclareTargetDeclAttr::DT_Host) 19028 return FunctionEmissionStatus::OMPDiscarded; 19029 // If we have an explicit value for the device type, or we are in a target 19030 // declare context, we need to emit all extern and used symbols. 19031 if (isInOpenMPDeclareTargetContext() || DevTy.hasValue()) 19032 if (IsEmittedForExternalSymbol()) 19033 return FunctionEmissionStatus::Emitted; 19034 // Device mode only emits what it must, if it wasn't tagged yet and needed, 19035 // we'll omit it. 19036 if (Final) 19037 return FunctionEmissionStatus::OMPDiscarded; 19038 } else if (LangOpts.OpenMP > 45) { 19039 // In OpenMP host compilation prior to 5.0 everything was an emitted host 19040 // function. In 5.0, no_host was introduced which might cause a function to 19041 // be ommitted. 19042 Optional<OMPDeclareTargetDeclAttr::DevTypeTy> DevTy = 19043 OMPDeclareTargetDeclAttr::getDeviceType(FD->getCanonicalDecl()); 19044 if (DevTy.hasValue()) 19045 if (*DevTy == OMPDeclareTargetDeclAttr::DT_NoHost) 19046 return FunctionEmissionStatus::OMPDiscarded; 19047 } 19048 19049 if (Final && LangOpts.OpenMP && !LangOpts.CUDA) 19050 return FunctionEmissionStatus::Emitted; 19051 19052 if (LangOpts.CUDA) { 19053 // When compiling for device, host functions are never emitted. Similarly, 19054 // when compiling for host, device and global functions are never emitted. 19055 // (Technically, we do emit a host-side stub for global functions, but this 19056 // doesn't count for our purposes here.) 19057 Sema::CUDAFunctionTarget T = IdentifyCUDATarget(FD); 19058 if (LangOpts.CUDAIsDevice && T == Sema::CFT_Host) 19059 return FunctionEmissionStatus::CUDADiscarded; 19060 if (!LangOpts.CUDAIsDevice && 19061 (T == Sema::CFT_Device || T == Sema::CFT_Global)) 19062 return FunctionEmissionStatus::CUDADiscarded; 19063 19064 if (IsEmittedForExternalSymbol()) 19065 return FunctionEmissionStatus::Emitted; 19066 } 19067 19068 // Otherwise, the function is known-emitted if it's in our set of 19069 // known-emitted functions. 19070 return FunctionEmissionStatus::Unknown; 19071 } 19072 19073 bool Sema::shouldIgnoreInHostDeviceCheck(FunctionDecl *Callee) { 19074 // Host-side references to a __global__ function refer to the stub, so the 19075 // function itself is never emitted and therefore should not be marked. 19076 // If we have host fn calls kernel fn calls host+device, the HD function 19077 // does not get instantiated on the host. We model this by omitting at the 19078 // call to the kernel from the callgraph. This ensures that, when compiling 19079 // for host, only HD functions actually called from the host get marked as 19080 // known-emitted. 19081 return LangOpts.CUDA && !LangOpts.CUDAIsDevice && 19082 IdentifyCUDATarget(Callee) == CFT_Global; 19083 } 19084