1 //===--- Sema.cpp - AST Builder and Semantic Analysis Implementation ------===// 2 // 3 // The LLVM Compiler Infrastructure 4 // 5 // This file is distributed under the University of Illinois Open Source 6 // License. See LICENSE.TXT for details. 7 // 8 //===----------------------------------------------------------------------===// 9 // 10 // This file implements the actions class which performs semantic analysis and 11 // builds an AST out of a parse stream. 12 // 13 //===----------------------------------------------------------------------===// 14 15 #include "clang/AST/ASTContext.h" 16 #include "clang/AST/ASTDiagnostic.h" 17 #include "clang/AST/DeclCXX.h" 18 #include "clang/AST/DeclFriend.h" 19 #include "clang/AST/DeclObjC.h" 20 #include "clang/AST/Expr.h" 21 #include "clang/AST/ExprCXX.h" 22 #include "clang/AST/StmtCXX.h" 23 #include "clang/Basic/DiagnosticOptions.h" 24 #include "clang/Basic/PartialDiagnostic.h" 25 #include "clang/Basic/TargetInfo.h" 26 #include "clang/Lex/HeaderSearch.h" 27 #include "clang/Lex/Preprocessor.h" 28 #include "clang/Sema/CXXFieldCollector.h" 29 #include "clang/Sema/DelayedDiagnostic.h" 30 #include "clang/Sema/ExternalSemaSource.h" 31 #include "clang/Sema/Initialization.h" 32 #include "clang/Sema/MultiplexExternalSemaSource.h" 33 #include "clang/Sema/ObjCMethodList.h" 34 #include "clang/Sema/PrettyDeclStackTrace.h" 35 #include "clang/Sema/Scope.h" 36 #include "clang/Sema/ScopeInfo.h" 37 #include "clang/Sema/SemaConsumer.h" 38 #include "clang/Sema/SemaInternal.h" 39 #include "clang/Sema/TemplateDeduction.h" 40 #include "llvm/ADT/DenseMap.h" 41 #include "llvm/ADT/SmallSet.h" 42 using namespace clang; 43 using namespace sema; 44 45 SourceLocation Sema::getLocForEndOfToken(SourceLocation Loc, unsigned Offset) { 46 return Lexer::getLocForEndOfToken(Loc, Offset, SourceMgr, LangOpts); 47 } 48 49 ModuleLoader &Sema::getModuleLoader() const { return PP.getModuleLoader(); } 50 51 PrintingPolicy Sema::getPrintingPolicy(const ASTContext &Context, 52 const Preprocessor &PP) { 53 PrintingPolicy Policy = Context.getPrintingPolicy(); 54 // Our printing policy is copied over the ASTContext printing policy whenever 55 // a diagnostic is emitted, so recompute it. 56 Policy.Bool = Context.getLangOpts().Bool; 57 if (!Policy.Bool) { 58 if (const MacroInfo *BoolMacro = PP.getMacroInfo(Context.getBoolName())) { 59 Policy.Bool = BoolMacro->isObjectLike() && 60 BoolMacro->getNumTokens() == 1 && 61 BoolMacro->getReplacementToken(0).is(tok::kw__Bool); 62 } 63 } 64 65 return Policy; 66 } 67 68 void Sema::ActOnTranslationUnitScope(Scope *S) { 69 TUScope = S; 70 PushDeclContext(S, Context.getTranslationUnitDecl()); 71 } 72 73 Sema::Sema(Preprocessor &pp, ASTContext &ctxt, ASTConsumer &consumer, 74 TranslationUnitKind TUKind, 75 CodeCompleteConsumer *CodeCompleter) 76 : ExternalSource(nullptr), 77 isMultiplexExternalSource(false), FPFeatures(pp.getLangOpts()), 78 LangOpts(pp.getLangOpts()), PP(pp), Context(ctxt), Consumer(consumer), 79 Diags(PP.getDiagnostics()), SourceMgr(PP.getSourceManager()), 80 CollectStats(false), CodeCompleter(CodeCompleter), 81 CurContext(nullptr), OriginalLexicalContext(nullptr), 82 MSStructPragmaOn(false), 83 MSPointerToMemberRepresentationMethod( 84 LangOpts.getMSPointerToMemberRepresentationMethod()), 85 VtorDispStack(MSVtorDispAttr::Mode(LangOpts.VtorDispMode)), 86 PackStack(0), DataSegStack(nullptr), BSSSegStack(nullptr), 87 ConstSegStack(nullptr), CodeSegStack(nullptr), CurInitSeg(nullptr), 88 VisContext(nullptr), 89 IsBuildingRecoveryCallExpr(false), 90 Cleanup{}, LateTemplateParser(nullptr), 91 LateTemplateParserCleanup(nullptr), OpaqueParser(nullptr), IdResolver(pp), 92 StdExperimentalNamespaceCache(nullptr), StdInitializerList(nullptr), 93 CXXTypeInfoDecl(nullptr), MSVCGuidDecl(nullptr), 94 NSNumberDecl(nullptr), NSValueDecl(nullptr), 95 NSStringDecl(nullptr), StringWithUTF8StringMethod(nullptr), 96 ValueWithBytesObjCTypeMethod(nullptr), 97 NSArrayDecl(nullptr), ArrayWithObjectsMethod(nullptr), 98 NSDictionaryDecl(nullptr), DictionaryWithObjectsMethod(nullptr), 99 GlobalNewDeleteDeclared(false), 100 TUKind(TUKind), 101 NumSFINAEErrors(0), 102 CachedFakeTopLevelModule(nullptr), 103 AccessCheckingSFINAE(false), InNonInstantiationSFINAEContext(false), 104 NonInstantiationEntries(0), ArgumentPackSubstitutionIndex(-1), 105 CurrentInstantiationScope(nullptr), DisableTypoCorrection(false), 106 TyposCorrected(0), AnalysisWarnings(*this), ThreadSafetyDeclCache(nullptr), 107 VarDataSharingAttributesStack(nullptr), CurScope(nullptr), 108 Ident_super(nullptr), Ident___float128(nullptr) 109 { 110 TUScope = nullptr; 111 112 LoadedExternalKnownNamespaces = false; 113 for (unsigned I = 0; I != NSAPI::NumNSNumberLiteralMethods; ++I) 114 NSNumberLiteralMethods[I] = nullptr; 115 116 if (getLangOpts().ObjC1) 117 NSAPIObj.reset(new NSAPI(Context)); 118 119 if (getLangOpts().CPlusPlus) 120 FieldCollector.reset(new CXXFieldCollector()); 121 122 // Tell diagnostics how to render things from the AST library. 123 Diags.SetArgToStringFn(&FormatASTNodeDiagnosticArgument, &Context); 124 125 ExprEvalContexts.emplace_back(PotentiallyEvaluated, 0, CleanupInfo{}, nullptr, 126 false); 127 128 FunctionScopes.push_back(new FunctionScopeInfo(Diags)); 129 130 // Initilization of data sharing attributes stack for OpenMP 131 InitDataSharingAttributesStack(); 132 } 133 134 void Sema::addImplicitTypedef(StringRef Name, QualType T) { 135 DeclarationName DN = &Context.Idents.get(Name); 136 if (IdResolver.begin(DN) == IdResolver.end()) 137 PushOnScopeChains(Context.buildImplicitTypedef(T, Name), TUScope); 138 } 139 140 void Sema::Initialize() { 141 if (SemaConsumer *SC = dyn_cast<SemaConsumer>(&Consumer)) 142 SC->InitializeSema(*this); 143 144 // Tell the external Sema source about this Sema object. 145 if (ExternalSemaSource *ExternalSema 146 = dyn_cast_or_null<ExternalSemaSource>(Context.getExternalSource())) 147 ExternalSema->InitializeSema(*this); 148 149 // This needs to happen after ExternalSemaSource::InitializeSema(this) or we 150 // will not be able to merge any duplicate __va_list_tag decls correctly. 151 VAListTagName = PP.getIdentifierInfo("__va_list_tag"); 152 153 if (!TUScope) 154 return; 155 156 // Initialize predefined 128-bit integer types, if needed. 157 if (Context.getTargetInfo().hasInt128Type()) { 158 // If either of the 128-bit integer types are unavailable to name lookup, 159 // define them now. 160 DeclarationName Int128 = &Context.Idents.get("__int128_t"); 161 if (IdResolver.begin(Int128) == IdResolver.end()) 162 PushOnScopeChains(Context.getInt128Decl(), TUScope); 163 164 DeclarationName UInt128 = &Context.Idents.get("__uint128_t"); 165 if (IdResolver.begin(UInt128) == IdResolver.end()) 166 PushOnScopeChains(Context.getUInt128Decl(), TUScope); 167 } 168 169 170 // Initialize predefined Objective-C types: 171 if (getLangOpts().ObjC1) { 172 // If 'SEL' does not yet refer to any declarations, make it refer to the 173 // predefined 'SEL'. 174 DeclarationName SEL = &Context.Idents.get("SEL"); 175 if (IdResolver.begin(SEL) == IdResolver.end()) 176 PushOnScopeChains(Context.getObjCSelDecl(), TUScope); 177 178 // If 'id' does not yet refer to any declarations, make it refer to the 179 // predefined 'id'. 180 DeclarationName Id = &Context.Idents.get("id"); 181 if (IdResolver.begin(Id) == IdResolver.end()) 182 PushOnScopeChains(Context.getObjCIdDecl(), TUScope); 183 184 // Create the built-in typedef for 'Class'. 185 DeclarationName Class = &Context.Idents.get("Class"); 186 if (IdResolver.begin(Class) == IdResolver.end()) 187 PushOnScopeChains(Context.getObjCClassDecl(), TUScope); 188 189 // Create the built-in forward declaratino for 'Protocol'. 190 DeclarationName Protocol = &Context.Idents.get("Protocol"); 191 if (IdResolver.begin(Protocol) == IdResolver.end()) 192 PushOnScopeChains(Context.getObjCProtocolDecl(), TUScope); 193 } 194 195 // Create the internal type for the *StringMakeConstantString builtins. 196 DeclarationName ConstantString = &Context.Idents.get("__NSConstantString"); 197 if (IdResolver.begin(ConstantString) == IdResolver.end()) 198 PushOnScopeChains(Context.getCFConstantStringDecl(), TUScope); 199 200 // Initialize Microsoft "predefined C++ types". 201 if (getLangOpts().MSVCCompat) { 202 if (getLangOpts().CPlusPlus && 203 IdResolver.begin(&Context.Idents.get("type_info")) == IdResolver.end()) 204 PushOnScopeChains(Context.buildImplicitRecord("type_info", TTK_Class), 205 TUScope); 206 207 addImplicitTypedef("size_t", Context.getSizeType()); 208 } 209 210 // Initialize predefined OpenCL types and supported extensions and (optional) 211 // core features. 212 if (getLangOpts().OpenCL) { 213 getOpenCLOptions().addSupport(Context.getTargetInfo().getSupportedOpenCLOpts()); 214 getOpenCLOptions().enableSupportedCore(getLangOpts().OpenCLVersion); 215 addImplicitTypedef("sampler_t", Context.OCLSamplerTy); 216 addImplicitTypedef("event_t", Context.OCLEventTy); 217 if (getLangOpts().OpenCLVersion >= 200) { 218 addImplicitTypedef("clk_event_t", Context.OCLClkEventTy); 219 addImplicitTypedef("queue_t", Context.OCLQueueTy); 220 addImplicitTypedef("ndrange_t", Context.OCLNDRangeTy); 221 addImplicitTypedef("reserve_id_t", Context.OCLReserveIDTy); 222 addImplicitTypedef("atomic_int", Context.getAtomicType(Context.IntTy)); 223 addImplicitTypedef("atomic_uint", 224 Context.getAtomicType(Context.UnsignedIntTy)); 225 auto AtomicLongT = Context.getAtomicType(Context.LongTy); 226 addImplicitTypedef("atomic_long", AtomicLongT); 227 auto AtomicULongT = Context.getAtomicType(Context.UnsignedLongTy); 228 addImplicitTypedef("atomic_ulong", AtomicULongT); 229 addImplicitTypedef("atomic_float", 230 Context.getAtomicType(Context.FloatTy)); 231 auto AtomicDoubleT = Context.getAtomicType(Context.DoubleTy); 232 addImplicitTypedef("atomic_double", AtomicDoubleT); 233 // OpenCLC v2.0, s6.13.11.6 requires that atomic_flag is implemented as 234 // 32-bit integer and OpenCLC v2.0, s6.1.1 int is always 32-bit wide. 235 addImplicitTypedef("atomic_flag", Context.getAtomicType(Context.IntTy)); 236 auto AtomicIntPtrT = Context.getAtomicType(Context.getIntPtrType()); 237 addImplicitTypedef("atomic_intptr_t", AtomicIntPtrT); 238 auto AtomicUIntPtrT = Context.getAtomicType(Context.getUIntPtrType()); 239 addImplicitTypedef("atomic_uintptr_t", AtomicUIntPtrT); 240 auto AtomicSizeT = Context.getAtomicType(Context.getSizeType()); 241 addImplicitTypedef("atomic_size_t", AtomicSizeT); 242 auto AtomicPtrDiffT = Context.getAtomicType(Context.getPointerDiffType()); 243 addImplicitTypedef("atomic_ptrdiff_t", AtomicPtrDiffT); 244 245 // OpenCL v2.0 s6.13.11.6: 246 // - The atomic_long and atomic_ulong types are supported if the 247 // cl_khr_int64_base_atomics and cl_khr_int64_extended_atomics 248 // extensions are supported. 249 // - The atomic_double type is only supported if double precision 250 // is supported and the cl_khr_int64_base_atomics and 251 // cl_khr_int64_extended_atomics extensions are supported. 252 // - If the device address space is 64-bits, the data types 253 // atomic_intptr_t, atomic_uintptr_t, atomic_size_t and 254 // atomic_ptrdiff_t are supported if the cl_khr_int64_base_atomics and 255 // cl_khr_int64_extended_atomics extensions are supported. 256 std::vector<QualType> Atomic64BitTypes; 257 Atomic64BitTypes.push_back(AtomicLongT); 258 Atomic64BitTypes.push_back(AtomicULongT); 259 Atomic64BitTypes.push_back(AtomicDoubleT); 260 if (Context.getTypeSize(AtomicSizeT) == 64) { 261 Atomic64BitTypes.push_back(AtomicSizeT); 262 Atomic64BitTypes.push_back(AtomicIntPtrT); 263 Atomic64BitTypes.push_back(AtomicUIntPtrT); 264 Atomic64BitTypes.push_back(AtomicPtrDiffT); 265 } 266 for (auto &I : Atomic64BitTypes) 267 setOpenCLExtensionForType(I, 268 "cl_khr_int64_base_atomics cl_khr_int64_extended_atomics"); 269 270 setOpenCLExtensionForType(AtomicDoubleT, "cl_khr_fp64"); 271 } 272 273 setOpenCLExtensionForType(Context.DoubleTy, "cl_khr_fp64"); 274 275 #define GENERIC_IMAGE_TYPE_EXT(Type, Id, Ext) \ 276 setOpenCLExtensionForType(Context.Id, Ext); 277 #include "clang/Basic/OpenCLImageTypes.def" 278 }; 279 280 if (Context.getTargetInfo().hasBuiltinMSVaList()) { 281 DeclarationName MSVaList = &Context.Idents.get("__builtin_ms_va_list"); 282 if (IdResolver.begin(MSVaList) == IdResolver.end()) 283 PushOnScopeChains(Context.getBuiltinMSVaListDecl(), TUScope); 284 } 285 286 DeclarationName BuiltinVaList = &Context.Idents.get("__builtin_va_list"); 287 if (IdResolver.begin(BuiltinVaList) == IdResolver.end()) 288 PushOnScopeChains(Context.getBuiltinVaListDecl(), TUScope); 289 } 290 291 Sema::~Sema() { 292 if (VisContext) FreeVisContext(); 293 // Kill all the active scopes. 294 for (unsigned I = 1, E = FunctionScopes.size(); I != E; ++I) 295 delete FunctionScopes[I]; 296 if (FunctionScopes.size() == 1) 297 delete FunctionScopes[0]; 298 299 // Tell the SemaConsumer to forget about us; we're going out of scope. 300 if (SemaConsumer *SC = dyn_cast<SemaConsumer>(&Consumer)) 301 SC->ForgetSema(); 302 303 // Detach from the external Sema source. 304 if (ExternalSemaSource *ExternalSema 305 = dyn_cast_or_null<ExternalSemaSource>(Context.getExternalSource())) 306 ExternalSema->ForgetSema(); 307 308 // If Sema's ExternalSource is the multiplexer - we own it. 309 if (isMultiplexExternalSource) 310 delete ExternalSource; 311 312 threadSafety::threadSafetyCleanup(ThreadSafetyDeclCache); 313 314 // Destroys data sharing attributes stack for OpenMP 315 DestroyDataSharingAttributesStack(); 316 317 assert(DelayedTypos.empty() && "Uncorrected typos!"); 318 } 319 320 /// makeUnavailableInSystemHeader - There is an error in the current 321 /// context. If we're still in a system header, and we can plausibly 322 /// make the relevant declaration unavailable instead of erroring, do 323 /// so and return true. 324 bool Sema::makeUnavailableInSystemHeader(SourceLocation loc, 325 UnavailableAttr::ImplicitReason reason) { 326 // If we're not in a function, it's an error. 327 FunctionDecl *fn = dyn_cast<FunctionDecl>(CurContext); 328 if (!fn) return false; 329 330 // If we're in template instantiation, it's an error. 331 if (!ActiveTemplateInstantiations.empty()) 332 return false; 333 334 // If that function's not in a system header, it's an error. 335 if (!Context.getSourceManager().isInSystemHeader(loc)) 336 return false; 337 338 // If the function is already unavailable, it's not an error. 339 if (fn->hasAttr<UnavailableAttr>()) return true; 340 341 fn->addAttr(UnavailableAttr::CreateImplicit(Context, "", reason, loc)); 342 return true; 343 } 344 345 ASTMutationListener *Sema::getASTMutationListener() const { 346 return getASTConsumer().GetASTMutationListener(); 347 } 348 349 ///\brief Registers an external source. If an external source already exists, 350 /// creates a multiplex external source and appends to it. 351 /// 352 ///\param[in] E - A non-null external sema source. 353 /// 354 void Sema::addExternalSource(ExternalSemaSource *E) { 355 assert(E && "Cannot use with NULL ptr"); 356 357 if (!ExternalSource) { 358 ExternalSource = E; 359 return; 360 } 361 362 if (isMultiplexExternalSource) 363 static_cast<MultiplexExternalSemaSource*>(ExternalSource)->addSource(*E); 364 else { 365 ExternalSource = new MultiplexExternalSemaSource(*ExternalSource, *E); 366 isMultiplexExternalSource = true; 367 } 368 } 369 370 /// \brief Print out statistics about the semantic analysis. 371 void Sema::PrintStats() const { 372 llvm::errs() << "\n*** Semantic Analysis Stats:\n"; 373 llvm::errs() << NumSFINAEErrors << " SFINAE diagnostics trapped.\n"; 374 375 BumpAlloc.PrintStats(); 376 AnalysisWarnings.PrintStats(); 377 } 378 379 void Sema::diagnoseNullableToNonnullConversion(QualType DstType, 380 QualType SrcType, 381 SourceLocation Loc) { 382 Optional<NullabilityKind> ExprNullability = SrcType->getNullability(Context); 383 if (!ExprNullability || *ExprNullability != NullabilityKind::Nullable) 384 return; 385 386 Optional<NullabilityKind> TypeNullability = DstType->getNullability(Context); 387 if (!TypeNullability || *TypeNullability != NullabilityKind::NonNull) 388 return; 389 390 Diag(Loc, diag::warn_nullability_lost) << SrcType << DstType; 391 } 392 393 /// ImpCastExprToType - If Expr is not of type 'Type', insert an implicit cast. 394 /// If there is already an implicit cast, merge into the existing one. 395 /// The result is of the given category. 396 ExprResult Sema::ImpCastExprToType(Expr *E, QualType Ty, 397 CastKind Kind, ExprValueKind VK, 398 const CXXCastPath *BasePath, 399 CheckedConversionKind CCK) { 400 #ifndef NDEBUG 401 if (VK == VK_RValue && !E->isRValue()) { 402 switch (Kind) { 403 default: 404 llvm_unreachable("can't implicitly cast lvalue to rvalue with this cast " 405 "kind"); 406 case CK_LValueToRValue: 407 case CK_ArrayToPointerDecay: 408 case CK_FunctionToPointerDecay: 409 case CK_ToVoid: 410 break; 411 } 412 } 413 assert((VK == VK_RValue || !E->isRValue()) && "can't cast rvalue to lvalue"); 414 #endif 415 416 diagnoseNullableToNonnullConversion(Ty, E->getType(), E->getLocStart()); 417 418 QualType ExprTy = Context.getCanonicalType(E->getType()); 419 QualType TypeTy = Context.getCanonicalType(Ty); 420 421 if (ExprTy == TypeTy) 422 return E; 423 424 // C++1z [conv.array]: The temporary materialization conversion is applied. 425 // We also use this to fuel C++ DR1213, which applies to C++11 onwards. 426 if (Kind == CK_ArrayToPointerDecay && getLangOpts().CPlusPlus && 427 E->getValueKind() == VK_RValue) { 428 // The temporary is an lvalue in C++98 and an xvalue otherwise. 429 ExprResult Materialized = CreateMaterializeTemporaryExpr( 430 E->getType(), E, !getLangOpts().CPlusPlus11); 431 if (Materialized.isInvalid()) 432 return ExprError(); 433 E = Materialized.get(); 434 } 435 436 if (ImplicitCastExpr *ImpCast = dyn_cast<ImplicitCastExpr>(E)) { 437 if (ImpCast->getCastKind() == Kind && (!BasePath || BasePath->empty())) { 438 ImpCast->setType(Ty); 439 ImpCast->setValueKind(VK); 440 return E; 441 } 442 } 443 444 return ImplicitCastExpr::Create(Context, Ty, Kind, E, BasePath, VK); 445 } 446 447 /// ScalarTypeToBooleanCastKind - Returns the cast kind corresponding 448 /// to the conversion from scalar type ScalarTy to the Boolean type. 449 CastKind Sema::ScalarTypeToBooleanCastKind(QualType ScalarTy) { 450 switch (ScalarTy->getScalarTypeKind()) { 451 case Type::STK_Bool: return CK_NoOp; 452 case Type::STK_CPointer: return CK_PointerToBoolean; 453 case Type::STK_BlockPointer: return CK_PointerToBoolean; 454 case Type::STK_ObjCObjectPointer: return CK_PointerToBoolean; 455 case Type::STK_MemberPointer: return CK_MemberPointerToBoolean; 456 case Type::STK_Integral: return CK_IntegralToBoolean; 457 case Type::STK_Floating: return CK_FloatingToBoolean; 458 case Type::STK_IntegralComplex: return CK_IntegralComplexToBoolean; 459 case Type::STK_FloatingComplex: return CK_FloatingComplexToBoolean; 460 } 461 return CK_Invalid; 462 } 463 464 /// \brief Used to prune the decls of Sema's UnusedFileScopedDecls vector. 465 static bool ShouldRemoveFromUnused(Sema *SemaRef, const DeclaratorDecl *D) { 466 if (D->getMostRecentDecl()->isUsed()) 467 return true; 468 469 if (D->isExternallyVisible()) 470 return true; 471 472 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 473 // UnusedFileScopedDecls stores the first declaration. 474 // The declaration may have become definition so check again. 475 const FunctionDecl *DeclToCheck; 476 if (FD->hasBody(DeclToCheck)) 477 return !SemaRef->ShouldWarnIfUnusedFileScopedDecl(DeclToCheck); 478 479 // Later redecls may add new information resulting in not having to warn, 480 // so check again. 481 DeclToCheck = FD->getMostRecentDecl(); 482 if (DeclToCheck != FD) 483 return !SemaRef->ShouldWarnIfUnusedFileScopedDecl(DeclToCheck); 484 } 485 486 if (const VarDecl *VD = dyn_cast<VarDecl>(D)) { 487 // If a variable usable in constant expressions is referenced, 488 // don't warn if it isn't used: if the value of a variable is required 489 // for the computation of a constant expression, it doesn't make sense to 490 // warn even if the variable isn't odr-used. (isReferenced doesn't 491 // precisely reflect that, but it's a decent approximation.) 492 if (VD->isReferenced() && 493 VD->isUsableInConstantExpressions(SemaRef->Context)) 494 return true; 495 496 // UnusedFileScopedDecls stores the first declaration. 497 // The declaration may have become definition so check again. 498 const VarDecl *DeclToCheck = VD->getDefinition(); 499 if (DeclToCheck) 500 return !SemaRef->ShouldWarnIfUnusedFileScopedDecl(DeclToCheck); 501 502 // Later redecls may add new information resulting in not having to warn, 503 // so check again. 504 DeclToCheck = VD->getMostRecentDecl(); 505 if (DeclToCheck != VD) 506 return !SemaRef->ShouldWarnIfUnusedFileScopedDecl(DeclToCheck); 507 } 508 509 return false; 510 } 511 512 /// Obtains a sorted list of functions and variables that are undefined but 513 /// ODR-used. 514 void Sema::getUndefinedButUsed( 515 SmallVectorImpl<std::pair<NamedDecl *, SourceLocation> > &Undefined) { 516 for (const auto &UndefinedUse : UndefinedButUsed) { 517 NamedDecl *ND = UndefinedUse.first; 518 519 // Ignore attributes that have become invalid. 520 if (ND->isInvalidDecl()) continue; 521 522 // __attribute__((weakref)) is basically a definition. 523 if (ND->hasAttr<WeakRefAttr>()) continue; 524 525 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(ND)) { 526 if (FD->isDefined()) 527 continue; 528 if (FD->isExternallyVisible() && 529 !FD->getMostRecentDecl()->isInlined()) 530 continue; 531 } else { 532 auto *VD = cast<VarDecl>(ND); 533 if (VD->hasDefinition() != VarDecl::DeclarationOnly) 534 continue; 535 if (VD->isExternallyVisible() && !VD->getMostRecentDecl()->isInline()) 536 continue; 537 } 538 539 Undefined.push_back(std::make_pair(ND, UndefinedUse.second)); 540 } 541 } 542 543 /// checkUndefinedButUsed - Check for undefined objects with internal linkage 544 /// or that are inline. 545 static void checkUndefinedButUsed(Sema &S) { 546 if (S.UndefinedButUsed.empty()) return; 547 548 // Collect all the still-undefined entities with internal linkage. 549 SmallVector<std::pair<NamedDecl *, SourceLocation>, 16> Undefined; 550 S.getUndefinedButUsed(Undefined); 551 if (Undefined.empty()) return; 552 553 for (SmallVectorImpl<std::pair<NamedDecl *, SourceLocation> >::iterator 554 I = Undefined.begin(), E = Undefined.end(); I != E; ++I) { 555 NamedDecl *ND = I->first; 556 557 if (ND->hasAttr<DLLImportAttr>() || ND->hasAttr<DLLExportAttr>()) { 558 // An exported function will always be emitted when defined, so even if 559 // the function is inline, it doesn't have to be emitted in this TU. An 560 // imported function implies that it has been exported somewhere else. 561 continue; 562 } 563 564 if (!ND->isExternallyVisible()) { 565 S.Diag(ND->getLocation(), diag::warn_undefined_internal) 566 << isa<VarDecl>(ND) << ND; 567 } else if (auto *FD = dyn_cast<FunctionDecl>(ND)) { 568 (void)FD; 569 assert(FD->getMostRecentDecl()->isInlined() && 570 "used object requires definition but isn't inline or internal?"); 571 // FIXME: This is ill-formed; we should reject. 572 S.Diag(ND->getLocation(), diag::warn_undefined_inline) << ND; 573 } else { 574 assert(cast<VarDecl>(ND)->getMostRecentDecl()->isInline() && 575 "used var requires definition but isn't inline or internal?"); 576 S.Diag(ND->getLocation(), diag::err_undefined_inline_var) << ND; 577 } 578 if (I->second.isValid()) 579 S.Diag(I->second, diag::note_used_here); 580 } 581 582 S.UndefinedButUsed.clear(); 583 } 584 585 void Sema::LoadExternalWeakUndeclaredIdentifiers() { 586 if (!ExternalSource) 587 return; 588 589 SmallVector<std::pair<IdentifierInfo *, WeakInfo>, 4> WeakIDs; 590 ExternalSource->ReadWeakUndeclaredIdentifiers(WeakIDs); 591 for (auto &WeakID : WeakIDs) 592 WeakUndeclaredIdentifiers.insert(WeakID); 593 } 594 595 596 typedef llvm::DenseMap<const CXXRecordDecl*, bool> RecordCompleteMap; 597 598 /// \brief Returns true, if all methods and nested classes of the given 599 /// CXXRecordDecl are defined in this translation unit. 600 /// 601 /// Should only be called from ActOnEndOfTranslationUnit so that all 602 /// definitions are actually read. 603 static bool MethodsAndNestedClassesComplete(const CXXRecordDecl *RD, 604 RecordCompleteMap &MNCComplete) { 605 RecordCompleteMap::iterator Cache = MNCComplete.find(RD); 606 if (Cache != MNCComplete.end()) 607 return Cache->second; 608 if (!RD->isCompleteDefinition()) 609 return false; 610 bool Complete = true; 611 for (DeclContext::decl_iterator I = RD->decls_begin(), 612 E = RD->decls_end(); 613 I != E && Complete; ++I) { 614 if (const CXXMethodDecl *M = dyn_cast<CXXMethodDecl>(*I)) 615 Complete = M->isDefined() || (M->isPure() && !isa<CXXDestructorDecl>(M)); 616 else if (const FunctionTemplateDecl *F = dyn_cast<FunctionTemplateDecl>(*I)) 617 // If the template function is marked as late template parsed at this 618 // point, it has not been instantiated and therefore we have not 619 // performed semantic analysis on it yet, so we cannot know if the type 620 // can be considered complete. 621 Complete = !F->getTemplatedDecl()->isLateTemplateParsed() && 622 F->getTemplatedDecl()->isDefined(); 623 else if (const CXXRecordDecl *R = dyn_cast<CXXRecordDecl>(*I)) { 624 if (R->isInjectedClassName()) 625 continue; 626 if (R->hasDefinition()) 627 Complete = MethodsAndNestedClassesComplete(R->getDefinition(), 628 MNCComplete); 629 else 630 Complete = false; 631 } 632 } 633 MNCComplete[RD] = Complete; 634 return Complete; 635 } 636 637 /// \brief Returns true, if the given CXXRecordDecl is fully defined in this 638 /// translation unit, i.e. all methods are defined or pure virtual and all 639 /// friends, friend functions and nested classes are fully defined in this 640 /// translation unit. 641 /// 642 /// Should only be called from ActOnEndOfTranslationUnit so that all 643 /// definitions are actually read. 644 static bool IsRecordFullyDefined(const CXXRecordDecl *RD, 645 RecordCompleteMap &RecordsComplete, 646 RecordCompleteMap &MNCComplete) { 647 RecordCompleteMap::iterator Cache = RecordsComplete.find(RD); 648 if (Cache != RecordsComplete.end()) 649 return Cache->second; 650 bool Complete = MethodsAndNestedClassesComplete(RD, MNCComplete); 651 for (CXXRecordDecl::friend_iterator I = RD->friend_begin(), 652 E = RD->friend_end(); 653 I != E && Complete; ++I) { 654 // Check if friend classes and methods are complete. 655 if (TypeSourceInfo *TSI = (*I)->getFriendType()) { 656 // Friend classes are available as the TypeSourceInfo of the FriendDecl. 657 if (CXXRecordDecl *FriendD = TSI->getType()->getAsCXXRecordDecl()) 658 Complete = MethodsAndNestedClassesComplete(FriendD, MNCComplete); 659 else 660 Complete = false; 661 } else { 662 // Friend functions are available through the NamedDecl of FriendDecl. 663 if (const FunctionDecl *FD = 664 dyn_cast<FunctionDecl>((*I)->getFriendDecl())) 665 Complete = FD->isDefined(); 666 else 667 // This is a template friend, give up. 668 Complete = false; 669 } 670 } 671 RecordsComplete[RD] = Complete; 672 return Complete; 673 } 674 675 void Sema::emitAndClearUnusedLocalTypedefWarnings() { 676 if (ExternalSource) 677 ExternalSource->ReadUnusedLocalTypedefNameCandidates( 678 UnusedLocalTypedefNameCandidates); 679 for (const TypedefNameDecl *TD : UnusedLocalTypedefNameCandidates) { 680 if (TD->isReferenced()) 681 continue; 682 Diag(TD->getLocation(), diag::warn_unused_local_typedef) 683 << isa<TypeAliasDecl>(TD) << TD->getDeclName(); 684 } 685 UnusedLocalTypedefNameCandidates.clear(); 686 } 687 688 /// ActOnEndOfTranslationUnit - This is called at the very end of the 689 /// translation unit when EOF is reached and all but the top-level scope is 690 /// popped. 691 void Sema::ActOnEndOfTranslationUnit() { 692 assert(DelayedDiagnostics.getCurrentPool() == nullptr 693 && "reached end of translation unit with a pool attached?"); 694 695 // If code completion is enabled, don't perform any end-of-translation-unit 696 // work. 697 if (PP.isCodeCompletionEnabled()) 698 return; 699 700 // Complete translation units and modules define vtables and perform implicit 701 // instantiations. PCH files do not. 702 if (TUKind != TU_Prefix) { 703 DiagnoseUseOfUnimplementedSelectors(); 704 705 // If DefinedUsedVTables ends up marking any virtual member functions it 706 // might lead to more pending template instantiations, which we then need 707 // to instantiate. 708 DefineUsedVTables(); 709 710 // C++: Perform implicit template instantiations. 711 // 712 // FIXME: When we perform these implicit instantiations, we do not 713 // carefully keep track of the point of instantiation (C++ [temp.point]). 714 // This means that name lookup that occurs within the template 715 // instantiation will always happen at the end of the translation unit, 716 // so it will find some names that are not required to be found. This is 717 // valid, but we could do better by diagnosing if an instantiation uses a 718 // name that was not visible at its first point of instantiation. 719 if (ExternalSource) { 720 // Load pending instantiations from the external source. 721 SmallVector<PendingImplicitInstantiation, 4> Pending; 722 ExternalSource->ReadPendingInstantiations(Pending); 723 PendingInstantiations.insert(PendingInstantiations.begin(), 724 Pending.begin(), Pending.end()); 725 } 726 PerformPendingInstantiations(); 727 728 if (LateTemplateParserCleanup) 729 LateTemplateParserCleanup(OpaqueParser); 730 731 CheckDelayedMemberExceptionSpecs(); 732 } 733 734 // All delayed member exception specs should be checked or we end up accepting 735 // incompatible declarations. 736 // FIXME: This is wrong for TUKind == TU_Prefix. In that case, we need to 737 // write out the lists to the AST file (if any). 738 assert(DelayedDefaultedMemberExceptionSpecs.empty()); 739 assert(DelayedExceptionSpecChecks.empty()); 740 741 // All dllexport classes should have been processed already. 742 assert(DelayedDllExportClasses.empty()); 743 744 // Remove file scoped decls that turned out to be used. 745 UnusedFileScopedDecls.erase( 746 std::remove_if(UnusedFileScopedDecls.begin(nullptr, true), 747 UnusedFileScopedDecls.end(), 748 std::bind1st(std::ptr_fun(ShouldRemoveFromUnused), this)), 749 UnusedFileScopedDecls.end()); 750 751 if (TUKind == TU_Prefix) { 752 // Translation unit prefixes don't need any of the checking below. 753 if (!PP.isIncrementalProcessingEnabled()) 754 TUScope = nullptr; 755 return; 756 } 757 758 // Check for #pragma weak identifiers that were never declared 759 LoadExternalWeakUndeclaredIdentifiers(); 760 for (auto WeakID : WeakUndeclaredIdentifiers) { 761 if (WeakID.second.getUsed()) 762 continue; 763 764 Decl *PrevDecl = LookupSingleName(TUScope, WeakID.first, SourceLocation(), 765 LookupOrdinaryName); 766 if (PrevDecl != nullptr && 767 !(isa<FunctionDecl>(PrevDecl) || isa<VarDecl>(PrevDecl))) 768 Diag(WeakID.second.getLocation(), diag::warn_attribute_wrong_decl_type) 769 << "'weak'" << ExpectedVariableOrFunction; 770 else 771 Diag(WeakID.second.getLocation(), diag::warn_weak_identifier_undeclared) 772 << WeakID.first; 773 } 774 775 if (LangOpts.CPlusPlus11 && 776 !Diags.isIgnored(diag::warn_delegating_ctor_cycle, SourceLocation())) 777 CheckDelegatingCtorCycles(); 778 779 if (!Diags.hasErrorOccurred()) { 780 if (ExternalSource) 781 ExternalSource->ReadUndefinedButUsed(UndefinedButUsed); 782 checkUndefinedButUsed(*this); 783 } 784 785 if (TUKind == TU_Module) { 786 // If we are building a module, resolve all of the exported declarations 787 // now. 788 if (Module *CurrentModule = PP.getCurrentModule()) { 789 ModuleMap &ModMap = PP.getHeaderSearchInfo().getModuleMap(); 790 791 SmallVector<Module *, 2> Stack; 792 Stack.push_back(CurrentModule); 793 while (!Stack.empty()) { 794 Module *Mod = Stack.pop_back_val(); 795 796 // Resolve the exported declarations and conflicts. 797 // FIXME: Actually complain, once we figure out how to teach the 798 // diagnostic client to deal with complaints in the module map at this 799 // point. 800 ModMap.resolveExports(Mod, /*Complain=*/false); 801 ModMap.resolveUses(Mod, /*Complain=*/false); 802 ModMap.resolveConflicts(Mod, /*Complain=*/false); 803 804 // Queue the submodules, so their exports will also be resolved. 805 Stack.append(Mod->submodule_begin(), Mod->submodule_end()); 806 } 807 } 808 809 // Warnings emitted in ActOnEndOfTranslationUnit() should be emitted for 810 // modules when they are built, not every time they are used. 811 emitAndClearUnusedLocalTypedefWarnings(); 812 813 // Modules don't need any of the checking below. 814 TUScope = nullptr; 815 return; 816 } 817 818 // C99 6.9.2p2: 819 // A declaration of an identifier for an object that has file 820 // scope without an initializer, and without a storage-class 821 // specifier or with the storage-class specifier static, 822 // constitutes a tentative definition. If a translation unit 823 // contains one or more tentative definitions for an identifier, 824 // and the translation unit contains no external definition for 825 // that identifier, then the behavior is exactly as if the 826 // translation unit contains a file scope declaration of that 827 // identifier, with the composite type as of the end of the 828 // translation unit, with an initializer equal to 0. 829 llvm::SmallSet<VarDecl *, 32> Seen; 830 for (TentativeDefinitionsType::iterator 831 T = TentativeDefinitions.begin(ExternalSource), 832 TEnd = TentativeDefinitions.end(); 833 T != TEnd; ++T) 834 { 835 VarDecl *VD = (*T)->getActingDefinition(); 836 837 // If the tentative definition was completed, getActingDefinition() returns 838 // null. If we've already seen this variable before, insert()'s second 839 // return value is false. 840 if (!VD || VD->isInvalidDecl() || !Seen.insert(VD).second) 841 continue; 842 843 if (const IncompleteArrayType *ArrayT 844 = Context.getAsIncompleteArrayType(VD->getType())) { 845 // Set the length of the array to 1 (C99 6.9.2p5). 846 Diag(VD->getLocation(), diag::warn_tentative_incomplete_array); 847 llvm::APInt One(Context.getTypeSize(Context.getSizeType()), true); 848 QualType T = Context.getConstantArrayType(ArrayT->getElementType(), 849 One, ArrayType::Normal, 0); 850 VD->setType(T); 851 } else if (RequireCompleteType(VD->getLocation(), VD->getType(), 852 diag::err_tentative_def_incomplete_type)) 853 VD->setInvalidDecl(); 854 855 // No initialization is performed for a tentative definition. 856 CheckCompleteVariableDeclaration(VD); 857 858 // Notify the consumer that we've completed a tentative definition. 859 if (!VD->isInvalidDecl()) 860 Consumer.CompleteTentativeDefinition(VD); 861 862 } 863 864 // If there were errors, disable 'unused' warnings since they will mostly be 865 // noise. 866 if (!Diags.hasErrorOccurred()) { 867 // Output warning for unused file scoped decls. 868 for (UnusedFileScopedDeclsType::iterator 869 I = UnusedFileScopedDecls.begin(ExternalSource), 870 E = UnusedFileScopedDecls.end(); I != E; ++I) { 871 if (ShouldRemoveFromUnused(this, *I)) 872 continue; 873 874 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(*I)) { 875 const FunctionDecl *DiagD; 876 if (!FD->hasBody(DiagD)) 877 DiagD = FD; 878 if (DiagD->isDeleted()) 879 continue; // Deleted functions are supposed to be unused. 880 if (DiagD->isReferenced()) { 881 if (isa<CXXMethodDecl>(DiagD)) 882 Diag(DiagD->getLocation(), diag::warn_unneeded_member_function) 883 << DiagD->getDeclName(); 884 else { 885 if (FD->getStorageClass() == SC_Static && 886 !FD->isInlineSpecified() && 887 !SourceMgr.isInMainFile( 888 SourceMgr.getExpansionLoc(FD->getLocation()))) 889 Diag(DiagD->getLocation(), 890 diag::warn_unneeded_static_internal_decl) 891 << DiagD->getDeclName(); 892 else 893 Diag(DiagD->getLocation(), diag::warn_unneeded_internal_decl) 894 << /*function*/0 << DiagD->getDeclName(); 895 } 896 } else { 897 Diag(DiagD->getLocation(), 898 isa<CXXMethodDecl>(DiagD) ? diag::warn_unused_member_function 899 : diag::warn_unused_function) 900 << DiagD->getDeclName(); 901 } 902 } else { 903 const VarDecl *DiagD = cast<VarDecl>(*I)->getDefinition(); 904 if (!DiagD) 905 DiagD = cast<VarDecl>(*I); 906 if (DiagD->isReferenced()) { 907 Diag(DiagD->getLocation(), diag::warn_unneeded_internal_decl) 908 << /*variable*/1 << DiagD->getDeclName(); 909 } else if (DiagD->getType().isConstQualified()) { 910 const SourceManager &SM = SourceMgr; 911 if (SM.getMainFileID() != SM.getFileID(DiagD->getLocation()) || 912 !PP.getLangOpts().IsHeaderFile) 913 Diag(DiagD->getLocation(), diag::warn_unused_const_variable) 914 << DiagD->getDeclName(); 915 } else { 916 Diag(DiagD->getLocation(), diag::warn_unused_variable) 917 << DiagD->getDeclName(); 918 } 919 } 920 } 921 922 emitAndClearUnusedLocalTypedefWarnings(); 923 } 924 925 if (!Diags.isIgnored(diag::warn_unused_private_field, SourceLocation())) { 926 RecordCompleteMap RecordsComplete; 927 RecordCompleteMap MNCComplete; 928 for (NamedDeclSetType::iterator I = UnusedPrivateFields.begin(), 929 E = UnusedPrivateFields.end(); I != E; ++I) { 930 const NamedDecl *D = *I; 931 const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(D->getDeclContext()); 932 if (RD && !RD->isUnion() && 933 IsRecordFullyDefined(RD, RecordsComplete, MNCComplete)) { 934 Diag(D->getLocation(), diag::warn_unused_private_field) 935 << D->getDeclName(); 936 } 937 } 938 } 939 940 if (!Diags.isIgnored(diag::warn_mismatched_delete_new, SourceLocation())) { 941 if (ExternalSource) 942 ExternalSource->ReadMismatchingDeleteExpressions(DeleteExprs); 943 for (const auto &DeletedFieldInfo : DeleteExprs) { 944 for (const auto &DeleteExprLoc : DeletedFieldInfo.second) { 945 AnalyzeDeleteExprMismatch(DeletedFieldInfo.first, DeleteExprLoc.first, 946 DeleteExprLoc.second); 947 } 948 } 949 } 950 951 // Check we've noticed that we're no longer parsing the initializer for every 952 // variable. If we miss cases, then at best we have a performance issue and 953 // at worst a rejects-valid bug. 954 assert(ParsingInitForAutoVars.empty() && 955 "Didn't unmark var as having its initializer parsed"); 956 957 if (!PP.isIncrementalProcessingEnabled()) 958 TUScope = nullptr; 959 } 960 961 962 //===----------------------------------------------------------------------===// 963 // Helper functions. 964 //===----------------------------------------------------------------------===// 965 966 DeclContext *Sema::getFunctionLevelDeclContext() { 967 DeclContext *DC = CurContext; 968 969 while (true) { 970 if (isa<BlockDecl>(DC) || isa<EnumDecl>(DC) || isa<CapturedDecl>(DC)) { 971 DC = DC->getParent(); 972 } else if (isa<CXXMethodDecl>(DC) && 973 cast<CXXMethodDecl>(DC)->getOverloadedOperator() == OO_Call && 974 cast<CXXRecordDecl>(DC->getParent())->isLambda()) { 975 DC = DC->getParent()->getParent(); 976 } 977 else break; 978 } 979 980 return DC; 981 } 982 983 /// getCurFunctionDecl - If inside of a function body, this returns a pointer 984 /// to the function decl for the function being parsed. If we're currently 985 /// in a 'block', this returns the containing context. 986 FunctionDecl *Sema::getCurFunctionDecl() { 987 DeclContext *DC = getFunctionLevelDeclContext(); 988 return dyn_cast<FunctionDecl>(DC); 989 } 990 991 ObjCMethodDecl *Sema::getCurMethodDecl() { 992 DeclContext *DC = getFunctionLevelDeclContext(); 993 while (isa<RecordDecl>(DC)) 994 DC = DC->getParent(); 995 return dyn_cast<ObjCMethodDecl>(DC); 996 } 997 998 NamedDecl *Sema::getCurFunctionOrMethodDecl() { 999 DeclContext *DC = getFunctionLevelDeclContext(); 1000 if (isa<ObjCMethodDecl>(DC) || isa<FunctionDecl>(DC)) 1001 return cast<NamedDecl>(DC); 1002 return nullptr; 1003 } 1004 1005 void Sema::EmitCurrentDiagnostic(unsigned DiagID) { 1006 // FIXME: It doesn't make sense to me that DiagID is an incoming argument here 1007 // and yet we also use the current diag ID on the DiagnosticsEngine. This has 1008 // been made more painfully obvious by the refactor that introduced this 1009 // function, but it is possible that the incoming argument can be 1010 // eliminnated. If it truly cannot be (for example, there is some reentrancy 1011 // issue I am not seeing yet), then there should at least be a clarifying 1012 // comment somewhere. 1013 if (Optional<TemplateDeductionInfo*> Info = isSFINAEContext()) { 1014 switch (DiagnosticIDs::getDiagnosticSFINAEResponse( 1015 Diags.getCurrentDiagID())) { 1016 case DiagnosticIDs::SFINAE_Report: 1017 // We'll report the diagnostic below. 1018 break; 1019 1020 case DiagnosticIDs::SFINAE_SubstitutionFailure: 1021 // Count this failure so that we know that template argument deduction 1022 // has failed. 1023 ++NumSFINAEErrors; 1024 1025 // Make a copy of this suppressed diagnostic and store it with the 1026 // template-deduction information. 1027 if (*Info && !(*Info)->hasSFINAEDiagnostic()) { 1028 Diagnostic DiagInfo(&Diags); 1029 (*Info)->addSFINAEDiagnostic(DiagInfo.getLocation(), 1030 PartialDiagnostic(DiagInfo, Context.getDiagAllocator())); 1031 } 1032 1033 Diags.setLastDiagnosticIgnored(); 1034 Diags.Clear(); 1035 return; 1036 1037 case DiagnosticIDs::SFINAE_AccessControl: { 1038 // Per C++ Core Issue 1170, access control is part of SFINAE. 1039 // Additionally, the AccessCheckingSFINAE flag can be used to temporarily 1040 // make access control a part of SFINAE for the purposes of checking 1041 // type traits. 1042 if (!AccessCheckingSFINAE && !getLangOpts().CPlusPlus11) 1043 break; 1044 1045 SourceLocation Loc = Diags.getCurrentDiagLoc(); 1046 1047 // Suppress this diagnostic. 1048 ++NumSFINAEErrors; 1049 1050 // Make a copy of this suppressed diagnostic and store it with the 1051 // template-deduction information. 1052 if (*Info && !(*Info)->hasSFINAEDiagnostic()) { 1053 Diagnostic DiagInfo(&Diags); 1054 (*Info)->addSFINAEDiagnostic(DiagInfo.getLocation(), 1055 PartialDiagnostic(DiagInfo, Context.getDiagAllocator())); 1056 } 1057 1058 Diags.setLastDiagnosticIgnored(); 1059 Diags.Clear(); 1060 1061 // Now the diagnostic state is clear, produce a C++98 compatibility 1062 // warning. 1063 Diag(Loc, diag::warn_cxx98_compat_sfinae_access_control); 1064 1065 // The last diagnostic which Sema produced was ignored. Suppress any 1066 // notes attached to it. 1067 Diags.setLastDiagnosticIgnored(); 1068 return; 1069 } 1070 1071 case DiagnosticIDs::SFINAE_Suppress: 1072 // Make a copy of this suppressed diagnostic and store it with the 1073 // template-deduction information; 1074 if (*Info) { 1075 Diagnostic DiagInfo(&Diags); 1076 (*Info)->addSuppressedDiagnostic(DiagInfo.getLocation(), 1077 PartialDiagnostic(DiagInfo, Context.getDiagAllocator())); 1078 } 1079 1080 // Suppress this diagnostic. 1081 Diags.setLastDiagnosticIgnored(); 1082 Diags.Clear(); 1083 return; 1084 } 1085 } 1086 1087 // Set up the context's printing policy based on our current state. 1088 Context.setPrintingPolicy(getPrintingPolicy()); 1089 1090 // Emit the diagnostic. 1091 if (!Diags.EmitCurrentDiagnostic()) 1092 return; 1093 1094 // If this is not a note, and we're in a template instantiation 1095 // that is different from the last template instantiation where 1096 // we emitted an error, print a template instantiation 1097 // backtrace. 1098 if (!DiagnosticIDs::isBuiltinNote(DiagID) && 1099 !ActiveTemplateInstantiations.empty() && 1100 ActiveTemplateInstantiations.back() 1101 != LastTemplateInstantiationErrorContext) { 1102 PrintInstantiationStack(); 1103 LastTemplateInstantiationErrorContext = ActiveTemplateInstantiations.back(); 1104 } 1105 } 1106 1107 Sema::SemaDiagnosticBuilder 1108 Sema::Diag(SourceLocation Loc, const PartialDiagnostic& PD) { 1109 SemaDiagnosticBuilder Builder(Diag(Loc, PD.getDiagID())); 1110 PD.Emit(Builder); 1111 1112 return Builder; 1113 } 1114 1115 /// \brief Looks through the macro-expansion chain for the given 1116 /// location, looking for a macro expansion with the given name. 1117 /// If one is found, returns true and sets the location to that 1118 /// expansion loc. 1119 bool Sema::findMacroSpelling(SourceLocation &locref, StringRef name) { 1120 SourceLocation loc = locref; 1121 if (!loc.isMacroID()) return false; 1122 1123 // There's no good way right now to look at the intermediate 1124 // expansions, so just jump to the expansion location. 1125 loc = getSourceManager().getExpansionLoc(loc); 1126 1127 // If that's written with the name, stop here. 1128 SmallVector<char, 16> buffer; 1129 if (getPreprocessor().getSpelling(loc, buffer) == name) { 1130 locref = loc; 1131 return true; 1132 } 1133 return false; 1134 } 1135 1136 /// \brief Determines the active Scope associated with the given declaration 1137 /// context. 1138 /// 1139 /// This routine maps a declaration context to the active Scope object that 1140 /// represents that declaration context in the parser. It is typically used 1141 /// from "scope-less" code (e.g., template instantiation, lazy creation of 1142 /// declarations) that injects a name for name-lookup purposes and, therefore, 1143 /// must update the Scope. 1144 /// 1145 /// \returns The scope corresponding to the given declaraion context, or NULL 1146 /// if no such scope is open. 1147 Scope *Sema::getScopeForContext(DeclContext *Ctx) { 1148 1149 if (!Ctx) 1150 return nullptr; 1151 1152 Ctx = Ctx->getPrimaryContext(); 1153 for (Scope *S = getCurScope(); S; S = S->getParent()) { 1154 // Ignore scopes that cannot have declarations. This is important for 1155 // out-of-line definitions of static class members. 1156 if (S->getFlags() & (Scope::DeclScope | Scope::TemplateParamScope)) 1157 if (DeclContext *Entity = S->getEntity()) 1158 if (Ctx == Entity->getPrimaryContext()) 1159 return S; 1160 } 1161 1162 return nullptr; 1163 } 1164 1165 /// \brief Enter a new function scope 1166 void Sema::PushFunctionScope() { 1167 if (FunctionScopes.size() == 1) { 1168 // Use the "top" function scope rather than having to allocate 1169 // memory for a new scope. 1170 FunctionScopes.back()->Clear(); 1171 FunctionScopes.push_back(FunctionScopes.back()); 1172 return; 1173 } 1174 1175 FunctionScopes.push_back(new FunctionScopeInfo(getDiagnostics())); 1176 } 1177 1178 void Sema::PushBlockScope(Scope *BlockScope, BlockDecl *Block) { 1179 FunctionScopes.push_back(new BlockScopeInfo(getDiagnostics(), 1180 BlockScope, Block)); 1181 } 1182 1183 LambdaScopeInfo *Sema::PushLambdaScope() { 1184 LambdaScopeInfo *const LSI = new LambdaScopeInfo(getDiagnostics()); 1185 FunctionScopes.push_back(LSI); 1186 return LSI; 1187 } 1188 1189 void Sema::RecordParsingTemplateParameterDepth(unsigned Depth) { 1190 if (LambdaScopeInfo *const LSI = getCurLambda()) { 1191 LSI->AutoTemplateParameterDepth = Depth; 1192 return; 1193 } 1194 llvm_unreachable( 1195 "Remove assertion if intentionally called in a non-lambda context."); 1196 } 1197 1198 void Sema::PopFunctionScopeInfo(const AnalysisBasedWarnings::Policy *WP, 1199 const Decl *D, const BlockExpr *blkExpr) { 1200 FunctionScopeInfo *Scope = FunctionScopes.pop_back_val(); 1201 assert(!FunctionScopes.empty() && "mismatched push/pop!"); 1202 1203 // Issue any analysis-based warnings. 1204 if (WP && D) 1205 AnalysisWarnings.IssueWarnings(*WP, Scope, D, blkExpr); 1206 else 1207 for (const auto &PUD : Scope->PossiblyUnreachableDiags) 1208 Diag(PUD.Loc, PUD.PD); 1209 1210 if (FunctionScopes.back() != Scope) 1211 delete Scope; 1212 } 1213 1214 void Sema::PushCompoundScope() { 1215 getCurFunction()->CompoundScopes.push_back(CompoundScopeInfo()); 1216 } 1217 1218 void Sema::PopCompoundScope() { 1219 FunctionScopeInfo *CurFunction = getCurFunction(); 1220 assert(!CurFunction->CompoundScopes.empty() && "mismatched push/pop"); 1221 1222 CurFunction->CompoundScopes.pop_back(); 1223 } 1224 1225 /// \brief Determine whether any errors occurred within this function/method/ 1226 /// block. 1227 bool Sema::hasAnyUnrecoverableErrorsInThisFunction() const { 1228 return getCurFunction()->ErrorTrap.hasUnrecoverableErrorOccurred(); 1229 } 1230 1231 BlockScopeInfo *Sema::getCurBlock() { 1232 if (FunctionScopes.empty()) 1233 return nullptr; 1234 1235 auto CurBSI = dyn_cast<BlockScopeInfo>(FunctionScopes.back()); 1236 if (CurBSI && CurBSI->TheDecl && 1237 !CurBSI->TheDecl->Encloses(CurContext)) { 1238 // We have switched contexts due to template instantiation. 1239 assert(!ActiveTemplateInstantiations.empty()); 1240 return nullptr; 1241 } 1242 1243 return CurBSI; 1244 } 1245 1246 LambdaScopeInfo *Sema::getCurLambda(bool IgnoreCapturedRegions) { 1247 if (FunctionScopes.empty()) 1248 return nullptr; 1249 1250 auto I = FunctionScopes.rbegin(); 1251 if (IgnoreCapturedRegions) { 1252 auto E = FunctionScopes.rend(); 1253 while (I != E && isa<CapturedRegionScopeInfo>(*I)) 1254 ++I; 1255 if (I == E) 1256 return nullptr; 1257 } 1258 auto *CurLSI = dyn_cast<LambdaScopeInfo>(*I); 1259 if (CurLSI && CurLSI->Lambda && 1260 !CurLSI->Lambda->Encloses(CurContext)) { 1261 // We have switched contexts due to template instantiation. 1262 assert(!ActiveTemplateInstantiations.empty()); 1263 return nullptr; 1264 } 1265 1266 return CurLSI; 1267 } 1268 // We have a generic lambda if we parsed auto parameters, or we have 1269 // an associated template parameter list. 1270 LambdaScopeInfo *Sema::getCurGenericLambda() { 1271 if (LambdaScopeInfo *LSI = getCurLambda()) { 1272 return (LSI->AutoTemplateParams.size() || 1273 LSI->GLTemplateParameterList) ? LSI : nullptr; 1274 } 1275 return nullptr; 1276 } 1277 1278 1279 void Sema::ActOnComment(SourceRange Comment) { 1280 if (!LangOpts.RetainCommentsFromSystemHeaders && 1281 SourceMgr.isInSystemHeader(Comment.getBegin())) 1282 return; 1283 RawComment RC(SourceMgr, Comment, false, 1284 LangOpts.CommentOpts.ParseAllComments); 1285 if (RC.isAlmostTrailingComment()) { 1286 SourceRange MagicMarkerRange(Comment.getBegin(), 1287 Comment.getBegin().getLocWithOffset(3)); 1288 StringRef MagicMarkerText; 1289 switch (RC.getKind()) { 1290 case RawComment::RCK_OrdinaryBCPL: 1291 MagicMarkerText = "///<"; 1292 break; 1293 case RawComment::RCK_OrdinaryC: 1294 MagicMarkerText = "/**<"; 1295 break; 1296 default: 1297 llvm_unreachable("if this is an almost Doxygen comment, " 1298 "it should be ordinary"); 1299 } 1300 Diag(Comment.getBegin(), diag::warn_not_a_doxygen_trailing_member_comment) << 1301 FixItHint::CreateReplacement(MagicMarkerRange, MagicMarkerText); 1302 } 1303 Context.addComment(RC); 1304 } 1305 1306 // Pin this vtable to this file. 1307 ExternalSemaSource::~ExternalSemaSource() {} 1308 1309 void ExternalSemaSource::ReadMethodPool(Selector Sel) { } 1310 void ExternalSemaSource::updateOutOfDateSelector(Selector Sel) { } 1311 1312 void ExternalSemaSource::ReadKnownNamespaces( 1313 SmallVectorImpl<NamespaceDecl *> &Namespaces) { 1314 } 1315 1316 void ExternalSemaSource::ReadUndefinedButUsed( 1317 llvm::MapVector<NamedDecl *, SourceLocation> &Undefined) {} 1318 1319 void ExternalSemaSource::ReadMismatchingDeleteExpressions(llvm::MapVector< 1320 FieldDecl *, llvm::SmallVector<std::pair<SourceLocation, bool>, 4>> &) {} 1321 1322 void PrettyDeclStackTraceEntry::print(raw_ostream &OS) const { 1323 SourceLocation Loc = this->Loc; 1324 if (!Loc.isValid() && TheDecl) Loc = TheDecl->getLocation(); 1325 if (Loc.isValid()) { 1326 Loc.print(OS, S.getSourceManager()); 1327 OS << ": "; 1328 } 1329 OS << Message; 1330 1331 if (auto *ND = dyn_cast_or_null<NamedDecl>(TheDecl)) { 1332 OS << " '"; 1333 ND->getNameForDiagnostic(OS, ND->getASTContext().getPrintingPolicy(), true); 1334 OS << "'"; 1335 } 1336 1337 OS << '\n'; 1338 } 1339 1340 /// \brief Figure out if an expression could be turned into a call. 1341 /// 1342 /// Use this when trying to recover from an error where the programmer may have 1343 /// written just the name of a function instead of actually calling it. 1344 /// 1345 /// \param E - The expression to examine. 1346 /// \param ZeroArgCallReturnTy - If the expression can be turned into a call 1347 /// with no arguments, this parameter is set to the type returned by such a 1348 /// call; otherwise, it is set to an empty QualType. 1349 /// \param OverloadSet - If the expression is an overloaded function 1350 /// name, this parameter is populated with the decls of the various overloads. 1351 bool Sema::tryExprAsCall(Expr &E, QualType &ZeroArgCallReturnTy, 1352 UnresolvedSetImpl &OverloadSet) { 1353 ZeroArgCallReturnTy = QualType(); 1354 OverloadSet.clear(); 1355 1356 const OverloadExpr *Overloads = nullptr; 1357 bool IsMemExpr = false; 1358 if (E.getType() == Context.OverloadTy) { 1359 OverloadExpr::FindResult FR = OverloadExpr::find(const_cast<Expr*>(&E)); 1360 1361 // Ignore overloads that are pointer-to-member constants. 1362 if (FR.HasFormOfMemberPointer) 1363 return false; 1364 1365 Overloads = FR.Expression; 1366 } else if (E.getType() == Context.BoundMemberTy) { 1367 Overloads = dyn_cast<UnresolvedMemberExpr>(E.IgnoreParens()); 1368 IsMemExpr = true; 1369 } 1370 1371 bool Ambiguous = false; 1372 1373 if (Overloads) { 1374 for (OverloadExpr::decls_iterator it = Overloads->decls_begin(), 1375 DeclsEnd = Overloads->decls_end(); it != DeclsEnd; ++it) { 1376 OverloadSet.addDecl(*it); 1377 1378 // Check whether the function is a non-template, non-member which takes no 1379 // arguments. 1380 if (IsMemExpr) 1381 continue; 1382 if (const FunctionDecl *OverloadDecl 1383 = dyn_cast<FunctionDecl>((*it)->getUnderlyingDecl())) { 1384 if (OverloadDecl->getMinRequiredArguments() == 0) { 1385 if (!ZeroArgCallReturnTy.isNull() && !Ambiguous) { 1386 ZeroArgCallReturnTy = QualType(); 1387 Ambiguous = true; 1388 } else 1389 ZeroArgCallReturnTy = OverloadDecl->getReturnType(); 1390 } 1391 } 1392 } 1393 1394 // If it's not a member, use better machinery to try to resolve the call 1395 if (!IsMemExpr) 1396 return !ZeroArgCallReturnTy.isNull(); 1397 } 1398 1399 // Attempt to call the member with no arguments - this will correctly handle 1400 // member templates with defaults/deduction of template arguments, overloads 1401 // with default arguments, etc. 1402 if (IsMemExpr && !E.isTypeDependent()) { 1403 bool Suppress = getDiagnostics().getSuppressAllDiagnostics(); 1404 getDiagnostics().setSuppressAllDiagnostics(true); 1405 ExprResult R = BuildCallToMemberFunction(nullptr, &E, SourceLocation(), 1406 None, SourceLocation()); 1407 getDiagnostics().setSuppressAllDiagnostics(Suppress); 1408 if (R.isUsable()) { 1409 ZeroArgCallReturnTy = R.get()->getType(); 1410 return true; 1411 } 1412 return false; 1413 } 1414 1415 if (const DeclRefExpr *DeclRef = dyn_cast<DeclRefExpr>(E.IgnoreParens())) { 1416 if (const FunctionDecl *Fun = dyn_cast<FunctionDecl>(DeclRef->getDecl())) { 1417 if (Fun->getMinRequiredArguments() == 0) 1418 ZeroArgCallReturnTy = Fun->getReturnType(); 1419 return true; 1420 } 1421 } 1422 1423 // We don't have an expression that's convenient to get a FunctionDecl from, 1424 // but we can at least check if the type is "function of 0 arguments". 1425 QualType ExprTy = E.getType(); 1426 const FunctionType *FunTy = nullptr; 1427 QualType PointeeTy = ExprTy->getPointeeType(); 1428 if (!PointeeTy.isNull()) 1429 FunTy = PointeeTy->getAs<FunctionType>(); 1430 if (!FunTy) 1431 FunTy = ExprTy->getAs<FunctionType>(); 1432 1433 if (const FunctionProtoType *FPT = 1434 dyn_cast_or_null<FunctionProtoType>(FunTy)) { 1435 if (FPT->getNumParams() == 0) 1436 ZeroArgCallReturnTy = FunTy->getReturnType(); 1437 return true; 1438 } 1439 return false; 1440 } 1441 1442 /// \brief Give notes for a set of overloads. 1443 /// 1444 /// A companion to tryExprAsCall. In cases when the name that the programmer 1445 /// wrote was an overloaded function, we may be able to make some guesses about 1446 /// plausible overloads based on their return types; such guesses can be handed 1447 /// off to this method to be emitted as notes. 1448 /// 1449 /// \param Overloads - The overloads to note. 1450 /// \param FinalNoteLoc - If we've suppressed printing some overloads due to 1451 /// -fshow-overloads=best, this is the location to attach to the note about too 1452 /// many candidates. Typically this will be the location of the original 1453 /// ill-formed expression. 1454 static void noteOverloads(Sema &S, const UnresolvedSetImpl &Overloads, 1455 const SourceLocation FinalNoteLoc) { 1456 int ShownOverloads = 0; 1457 int SuppressedOverloads = 0; 1458 for (UnresolvedSetImpl::iterator It = Overloads.begin(), 1459 DeclsEnd = Overloads.end(); It != DeclsEnd; ++It) { 1460 // FIXME: Magic number for max shown overloads stolen from 1461 // OverloadCandidateSet::NoteCandidates. 1462 if (ShownOverloads >= 4 && S.Diags.getShowOverloads() == Ovl_Best) { 1463 ++SuppressedOverloads; 1464 continue; 1465 } 1466 1467 NamedDecl *Fn = (*It)->getUnderlyingDecl(); 1468 S.Diag(Fn->getLocation(), diag::note_possible_target_of_call); 1469 ++ShownOverloads; 1470 } 1471 1472 if (SuppressedOverloads) 1473 S.Diag(FinalNoteLoc, diag::note_ovl_too_many_candidates) 1474 << SuppressedOverloads; 1475 } 1476 1477 static void notePlausibleOverloads(Sema &S, SourceLocation Loc, 1478 const UnresolvedSetImpl &Overloads, 1479 bool (*IsPlausibleResult)(QualType)) { 1480 if (!IsPlausibleResult) 1481 return noteOverloads(S, Overloads, Loc); 1482 1483 UnresolvedSet<2> PlausibleOverloads; 1484 for (OverloadExpr::decls_iterator It = Overloads.begin(), 1485 DeclsEnd = Overloads.end(); It != DeclsEnd; ++It) { 1486 const FunctionDecl *OverloadDecl = cast<FunctionDecl>(*It); 1487 QualType OverloadResultTy = OverloadDecl->getReturnType(); 1488 if (IsPlausibleResult(OverloadResultTy)) 1489 PlausibleOverloads.addDecl(It.getDecl()); 1490 } 1491 noteOverloads(S, PlausibleOverloads, Loc); 1492 } 1493 1494 /// Determine whether the given expression can be called by just 1495 /// putting parentheses after it. Notably, expressions with unary 1496 /// operators can't be because the unary operator will start parsing 1497 /// outside the call. 1498 static bool IsCallableWithAppend(Expr *E) { 1499 E = E->IgnoreImplicit(); 1500 return (!isa<CStyleCastExpr>(E) && 1501 !isa<UnaryOperator>(E) && 1502 !isa<BinaryOperator>(E) && 1503 !isa<CXXOperatorCallExpr>(E)); 1504 } 1505 1506 bool Sema::tryToRecoverWithCall(ExprResult &E, const PartialDiagnostic &PD, 1507 bool ForceComplain, 1508 bool (*IsPlausibleResult)(QualType)) { 1509 SourceLocation Loc = E.get()->getExprLoc(); 1510 SourceRange Range = E.get()->getSourceRange(); 1511 1512 QualType ZeroArgCallTy; 1513 UnresolvedSet<4> Overloads; 1514 if (tryExprAsCall(*E.get(), ZeroArgCallTy, Overloads) && 1515 !ZeroArgCallTy.isNull() && 1516 (!IsPlausibleResult || IsPlausibleResult(ZeroArgCallTy))) { 1517 // At this point, we know E is potentially callable with 0 1518 // arguments and that it returns something of a reasonable type, 1519 // so we can emit a fixit and carry on pretending that E was 1520 // actually a CallExpr. 1521 SourceLocation ParenInsertionLoc = getLocForEndOfToken(Range.getEnd()); 1522 Diag(Loc, PD) 1523 << /*zero-arg*/ 1 << Range 1524 << (IsCallableWithAppend(E.get()) 1525 ? FixItHint::CreateInsertion(ParenInsertionLoc, "()") 1526 : FixItHint()); 1527 notePlausibleOverloads(*this, Loc, Overloads, IsPlausibleResult); 1528 1529 // FIXME: Try this before emitting the fixit, and suppress diagnostics 1530 // while doing so. 1531 E = ActOnCallExpr(nullptr, E.get(), Range.getEnd(), None, 1532 Range.getEnd().getLocWithOffset(1)); 1533 return true; 1534 } 1535 1536 if (!ForceComplain) return false; 1537 1538 Diag(Loc, PD) << /*not zero-arg*/ 0 << Range; 1539 notePlausibleOverloads(*this, Loc, Overloads, IsPlausibleResult); 1540 E = ExprError(); 1541 return true; 1542 } 1543 1544 IdentifierInfo *Sema::getSuperIdentifier() const { 1545 if (!Ident_super) 1546 Ident_super = &Context.Idents.get("super"); 1547 return Ident_super; 1548 } 1549 1550 IdentifierInfo *Sema::getFloat128Identifier() const { 1551 if (!Ident___float128) 1552 Ident___float128 = &Context.Idents.get("__float128"); 1553 return Ident___float128; 1554 } 1555 1556 void Sema::PushCapturedRegionScope(Scope *S, CapturedDecl *CD, RecordDecl *RD, 1557 CapturedRegionKind K) { 1558 CapturingScopeInfo *CSI = new CapturedRegionScopeInfo( 1559 getDiagnostics(), S, CD, RD, CD->getContextParam(), K, 1560 (getLangOpts().OpenMP && K == CR_OpenMP) ? getOpenMPNestingLevel() : 0); 1561 CSI->ReturnType = Context.VoidTy; 1562 FunctionScopes.push_back(CSI); 1563 } 1564 1565 CapturedRegionScopeInfo *Sema::getCurCapturedRegion() { 1566 if (FunctionScopes.empty()) 1567 return nullptr; 1568 1569 return dyn_cast<CapturedRegionScopeInfo>(FunctionScopes.back()); 1570 } 1571 1572 const llvm::MapVector<FieldDecl *, Sema::DeleteLocs> & 1573 Sema::getMismatchingDeleteExpressions() const { 1574 return DeleteExprs; 1575 } 1576 1577 void Sema::setOpenCLExtensionForType(QualType T, llvm::StringRef ExtStr) { 1578 if (ExtStr.empty()) 1579 return; 1580 llvm::SmallVector<StringRef, 1> Exts; 1581 ExtStr.split(Exts, " ", /* limit */ -1, /* keep empty */ false); 1582 auto CanT = T.getCanonicalType().getTypePtr(); 1583 for (auto &I : Exts) 1584 OpenCLTypeExtMap[CanT].insert(I.str()); 1585 } 1586 1587 void Sema::setOpenCLExtensionForDecl(Decl *FD, StringRef ExtStr) { 1588 llvm::SmallVector<StringRef, 1> Exts; 1589 ExtStr.split(Exts, " ", /* limit */ -1, /* keep empty */ false); 1590 if (Exts.empty()) 1591 return; 1592 for (auto &I : Exts) 1593 OpenCLDeclExtMap[FD].insert(I.str()); 1594 } 1595 1596 void Sema::setCurrentOpenCLExtensionForType(QualType T) { 1597 if (CurrOpenCLExtension.empty()) 1598 return; 1599 setOpenCLExtensionForType(T, CurrOpenCLExtension); 1600 } 1601 1602 void Sema::setCurrentOpenCLExtensionForDecl(Decl *D) { 1603 if (CurrOpenCLExtension.empty()) 1604 return; 1605 setOpenCLExtensionForDecl(D, CurrOpenCLExtension); 1606 } 1607 1608 bool Sema::isOpenCLDisabledDecl(Decl *FD) { 1609 auto Loc = OpenCLDeclExtMap.find(FD); 1610 if (Loc == OpenCLDeclExtMap.end()) 1611 return false; 1612 for (auto &I : Loc->second) { 1613 if (!getOpenCLOptions().isEnabled(I)) 1614 return true; 1615 } 1616 return false; 1617 } 1618 1619 template <typename T, typename DiagLocT, typename DiagInfoT, typename MapT> 1620 bool Sema::checkOpenCLDisabledTypeOrDecl(T D, DiagLocT DiagLoc, 1621 DiagInfoT DiagInfo, MapT &Map, 1622 unsigned Selector, 1623 SourceRange SrcRange) { 1624 auto Loc = Map.find(D); 1625 if (Loc == Map.end()) 1626 return false; 1627 bool Disabled = false; 1628 for (auto &I : Loc->second) { 1629 if (I != CurrOpenCLExtension && !getOpenCLOptions().isEnabled(I)) { 1630 Diag(DiagLoc, diag::err_opencl_requires_extension) << Selector << DiagInfo 1631 << I << SrcRange; 1632 Disabled = true; 1633 } 1634 } 1635 return Disabled; 1636 } 1637 1638 bool Sema::checkOpenCLDisabledTypeDeclSpec(const DeclSpec &DS, QualType QT) { 1639 // Check extensions for declared types. 1640 Decl *Decl = nullptr; 1641 if (auto TypedefT = dyn_cast<TypedefType>(QT.getTypePtr())) 1642 Decl = TypedefT->getDecl(); 1643 if (auto TagT = dyn_cast<TagType>(QT.getCanonicalType().getTypePtr())) 1644 Decl = TagT->getDecl(); 1645 auto Loc = DS.getTypeSpecTypeLoc(); 1646 if (checkOpenCLDisabledTypeOrDecl(Decl, Loc, QT, OpenCLDeclExtMap)) 1647 return true; 1648 1649 // Check extensions for builtin types. 1650 return checkOpenCLDisabledTypeOrDecl(QT.getCanonicalType().getTypePtr(), Loc, 1651 QT, OpenCLTypeExtMap); 1652 } 1653 1654 bool Sema::checkOpenCLDisabledDecl(const Decl &D, const Expr &E) { 1655 return checkOpenCLDisabledTypeOrDecl(&D, E.getLocStart(), "", 1656 OpenCLDeclExtMap, 1, D.getSourceRange()); 1657 } 1658