1 //===--- SemaExpr.cpp - Semantic Analysis for Expressions -----------------===// 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 expressions. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "TreeTransform.h" 14 #include "UsedDeclVisitor.h" 15 #include "clang/AST/ASTConsumer.h" 16 #include "clang/AST/ASTContext.h" 17 #include "clang/AST/ASTLambda.h" 18 #include "clang/AST/ASTMutationListener.h" 19 #include "clang/AST/CXXInheritance.h" 20 #include "clang/AST/DeclObjC.h" 21 #include "clang/AST/DeclTemplate.h" 22 #include "clang/AST/EvaluatedExprVisitor.h" 23 #include "clang/AST/Expr.h" 24 #include "clang/AST/ExprCXX.h" 25 #include "clang/AST/ExprObjC.h" 26 #include "clang/AST/ExprOpenMP.h" 27 #include "clang/AST/OperationKinds.h" 28 #include "clang/AST/ParentMapContext.h" 29 #include "clang/AST/RecursiveASTVisitor.h" 30 #include "clang/AST/Type.h" 31 #include "clang/AST/TypeLoc.h" 32 #include "clang/Basic/Builtins.h" 33 #include "clang/Basic/DiagnosticSema.h" 34 #include "clang/Basic/PartialDiagnostic.h" 35 #include "clang/Basic/SourceManager.h" 36 #include "clang/Basic/Specifiers.h" 37 #include "clang/Basic/TargetInfo.h" 38 #include "clang/Lex/LiteralSupport.h" 39 #include "clang/Lex/Preprocessor.h" 40 #include "clang/Sema/AnalysisBasedWarnings.h" 41 #include "clang/Sema/DeclSpec.h" 42 #include "clang/Sema/DelayedDiagnostic.h" 43 #include "clang/Sema/Designator.h" 44 #include "clang/Sema/Initialization.h" 45 #include "clang/Sema/Lookup.h" 46 #include "clang/Sema/Overload.h" 47 #include "clang/Sema/ParsedTemplate.h" 48 #include "clang/Sema/Scope.h" 49 #include "clang/Sema/ScopeInfo.h" 50 #include "clang/Sema/SemaFixItUtils.h" 51 #include "clang/Sema/SemaInternal.h" 52 #include "clang/Sema/Template.h" 53 #include "llvm/ADT/STLExtras.h" 54 #include "llvm/ADT/StringExtras.h" 55 #include "llvm/Support/Casting.h" 56 #include "llvm/Support/ConvertUTF.h" 57 #include "llvm/Support/SaveAndRestore.h" 58 #include "llvm/Support/TypeSize.h" 59 60 using namespace clang; 61 using namespace sema; 62 63 /// Determine whether the use of this declaration is valid, without 64 /// emitting diagnostics. 65 bool Sema::CanUseDecl(NamedDecl *D, bool TreatUnavailableAsInvalid) { 66 // See if this is an auto-typed variable whose initializer we are parsing. 67 if (ParsingInitForAutoVars.count(D)) 68 return false; 69 70 // See if this is a deleted function. 71 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 72 if (FD->isDeleted()) 73 return false; 74 75 // If the function has a deduced return type, and we can't deduce it, 76 // then we can't use it either. 77 if (getLangOpts().CPlusPlus14 && FD->getReturnType()->isUndeducedType() && 78 DeduceReturnType(FD, SourceLocation(), /*Diagnose*/ false)) 79 return false; 80 81 // See if this is an aligned allocation/deallocation function that is 82 // unavailable. 83 if (TreatUnavailableAsInvalid && 84 isUnavailableAlignedAllocationFunction(*FD)) 85 return false; 86 } 87 88 // See if this function is unavailable. 89 if (TreatUnavailableAsInvalid && D->getAvailability() == AR_Unavailable && 90 cast<Decl>(CurContext)->getAvailability() != AR_Unavailable) 91 return false; 92 93 if (isa<UnresolvedUsingIfExistsDecl>(D)) 94 return false; 95 96 return true; 97 } 98 99 static void DiagnoseUnusedOfDecl(Sema &S, NamedDecl *D, SourceLocation Loc) { 100 // Warn if this is used but marked unused. 101 if (const auto *A = D->getAttr<UnusedAttr>()) { 102 // [[maybe_unused]] should not diagnose uses, but __attribute__((unused)) 103 // should diagnose them. 104 if (A->getSemanticSpelling() != UnusedAttr::CXX11_maybe_unused && 105 A->getSemanticSpelling() != UnusedAttr::C2x_maybe_unused) { 106 const Decl *DC = cast_or_null<Decl>(S.getCurObjCLexicalContext()); 107 if (DC && !DC->hasAttr<UnusedAttr>()) 108 S.Diag(Loc, diag::warn_used_but_marked_unused) << D; 109 } 110 } 111 } 112 113 /// Emit a note explaining that this function is deleted. 114 void Sema::NoteDeletedFunction(FunctionDecl *Decl) { 115 assert(Decl && Decl->isDeleted()); 116 117 if (Decl->isDefaulted()) { 118 // If the method was explicitly defaulted, point at that declaration. 119 if (!Decl->isImplicit()) 120 Diag(Decl->getLocation(), diag::note_implicitly_deleted); 121 122 // Try to diagnose why this special member function was implicitly 123 // deleted. This might fail, if that reason no longer applies. 124 DiagnoseDeletedDefaultedFunction(Decl); 125 return; 126 } 127 128 auto *Ctor = dyn_cast<CXXConstructorDecl>(Decl); 129 if (Ctor && Ctor->isInheritingConstructor()) 130 return NoteDeletedInheritingConstructor(Ctor); 131 132 Diag(Decl->getLocation(), diag::note_availability_specified_here) 133 << Decl << 1; 134 } 135 136 /// Determine whether a FunctionDecl was ever declared with an 137 /// explicit storage class. 138 static bool hasAnyExplicitStorageClass(const FunctionDecl *D) { 139 for (auto I : D->redecls()) { 140 if (I->getStorageClass() != SC_None) 141 return true; 142 } 143 return false; 144 } 145 146 /// Check whether we're in an extern inline function and referring to a 147 /// variable or function with internal linkage (C11 6.7.4p3). 148 /// 149 /// This is only a warning because we used to silently accept this code, but 150 /// in many cases it will not behave correctly. This is not enabled in C++ mode 151 /// because the restriction language is a bit weaker (C++11 [basic.def.odr]p6) 152 /// and so while there may still be user mistakes, most of the time we can't 153 /// prove that there are errors. 154 static void diagnoseUseOfInternalDeclInInlineFunction(Sema &S, 155 const NamedDecl *D, 156 SourceLocation Loc) { 157 // This is disabled under C++; there are too many ways for this to fire in 158 // contexts where the warning is a false positive, or where it is technically 159 // correct but benign. 160 if (S.getLangOpts().CPlusPlus) 161 return; 162 163 // Check if this is an inlined function or method. 164 FunctionDecl *Current = S.getCurFunctionDecl(); 165 if (!Current) 166 return; 167 if (!Current->isInlined()) 168 return; 169 if (!Current->isExternallyVisible()) 170 return; 171 172 // Check if the decl has internal linkage. 173 if (D->getFormalLinkage() != InternalLinkage) 174 return; 175 176 // Downgrade from ExtWarn to Extension if 177 // (1) the supposedly external inline function is in the main file, 178 // and probably won't be included anywhere else. 179 // (2) the thing we're referencing is a pure function. 180 // (3) the thing we're referencing is another inline function. 181 // This last can give us false negatives, but it's better than warning on 182 // wrappers for simple C library functions. 183 const FunctionDecl *UsedFn = dyn_cast<FunctionDecl>(D); 184 bool DowngradeWarning = S.getSourceManager().isInMainFile(Loc); 185 if (!DowngradeWarning && UsedFn) 186 DowngradeWarning = UsedFn->isInlined() || UsedFn->hasAttr<ConstAttr>(); 187 188 S.Diag(Loc, DowngradeWarning ? diag::ext_internal_in_extern_inline_quiet 189 : diag::ext_internal_in_extern_inline) 190 << /*IsVar=*/!UsedFn << D; 191 192 S.MaybeSuggestAddingStaticToDecl(Current); 193 194 S.Diag(D->getCanonicalDecl()->getLocation(), diag::note_entity_declared_at) 195 << D; 196 } 197 198 void Sema::MaybeSuggestAddingStaticToDecl(const FunctionDecl *Cur) { 199 const FunctionDecl *First = Cur->getFirstDecl(); 200 201 // Suggest "static" on the function, if possible. 202 if (!hasAnyExplicitStorageClass(First)) { 203 SourceLocation DeclBegin = First->getSourceRange().getBegin(); 204 Diag(DeclBegin, diag::note_convert_inline_to_static) 205 << Cur << FixItHint::CreateInsertion(DeclBegin, "static "); 206 } 207 } 208 209 /// Determine whether the use of this declaration is valid, and 210 /// emit any corresponding diagnostics. 211 /// 212 /// This routine diagnoses various problems with referencing 213 /// declarations that can occur when using a declaration. For example, 214 /// it might warn if a deprecated or unavailable declaration is being 215 /// used, or produce an error (and return true) if a C++0x deleted 216 /// function is being used. 217 /// 218 /// \returns true if there was an error (this declaration cannot be 219 /// referenced), false otherwise. 220 /// 221 bool Sema::DiagnoseUseOfDecl(NamedDecl *D, ArrayRef<SourceLocation> Locs, 222 const ObjCInterfaceDecl *UnknownObjCClass, 223 bool ObjCPropertyAccess, 224 bool AvoidPartialAvailabilityChecks, 225 ObjCInterfaceDecl *ClassReceiver) { 226 SourceLocation Loc = Locs.front(); 227 if (getLangOpts().CPlusPlus && isa<FunctionDecl>(D)) { 228 // If there were any diagnostics suppressed by template argument deduction, 229 // emit them now. 230 auto Pos = SuppressedDiagnostics.find(D->getCanonicalDecl()); 231 if (Pos != SuppressedDiagnostics.end()) { 232 for (const PartialDiagnosticAt &Suppressed : Pos->second) 233 Diag(Suppressed.first, Suppressed.second); 234 235 // Clear out the list of suppressed diagnostics, so that we don't emit 236 // them again for this specialization. However, we don't obsolete this 237 // entry from the table, because we want to avoid ever emitting these 238 // diagnostics again. 239 Pos->second.clear(); 240 } 241 242 // C++ [basic.start.main]p3: 243 // The function 'main' shall not be used within a program. 244 if (cast<FunctionDecl>(D)->isMain()) 245 Diag(Loc, diag::ext_main_used); 246 247 diagnoseUnavailableAlignedAllocation(*cast<FunctionDecl>(D), Loc); 248 } 249 250 // See if this is an auto-typed variable whose initializer we are parsing. 251 if (ParsingInitForAutoVars.count(D)) { 252 if (isa<BindingDecl>(D)) { 253 Diag(Loc, diag::err_binding_cannot_appear_in_own_initializer) 254 << D->getDeclName(); 255 } else { 256 Diag(Loc, diag::err_auto_variable_cannot_appear_in_own_initializer) 257 << D->getDeclName() << cast<VarDecl>(D)->getType(); 258 } 259 return true; 260 } 261 262 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 263 // See if this is a deleted function. 264 if (FD->isDeleted()) { 265 auto *Ctor = dyn_cast<CXXConstructorDecl>(FD); 266 if (Ctor && Ctor->isInheritingConstructor()) 267 Diag(Loc, diag::err_deleted_inherited_ctor_use) 268 << Ctor->getParent() 269 << Ctor->getInheritedConstructor().getConstructor()->getParent(); 270 else 271 Diag(Loc, diag::err_deleted_function_use); 272 NoteDeletedFunction(FD); 273 return true; 274 } 275 276 // [expr.prim.id]p4 277 // A program that refers explicitly or implicitly to a function with a 278 // trailing requires-clause whose constraint-expression is not satisfied, 279 // other than to declare it, is ill-formed. [...] 280 // 281 // See if this is a function with constraints that need to be satisfied. 282 // Check this before deducing the return type, as it might instantiate the 283 // definition. 284 if (FD->getTrailingRequiresClause()) { 285 ConstraintSatisfaction Satisfaction; 286 if (CheckFunctionConstraints(FD, Satisfaction, Loc)) 287 // A diagnostic will have already been generated (non-constant 288 // constraint expression, for example) 289 return true; 290 if (!Satisfaction.IsSatisfied) { 291 Diag(Loc, 292 diag::err_reference_to_function_with_unsatisfied_constraints) 293 << D; 294 DiagnoseUnsatisfiedConstraint(Satisfaction); 295 return true; 296 } 297 } 298 299 // If the function has a deduced return type, and we can't deduce it, 300 // then we can't use it either. 301 if (getLangOpts().CPlusPlus14 && FD->getReturnType()->isUndeducedType() && 302 DeduceReturnType(FD, Loc)) 303 return true; 304 305 if (getLangOpts().CUDA && !CheckCUDACall(Loc, FD)) 306 return true; 307 308 if (getLangOpts().SYCLIsDevice && !checkSYCLDeviceFunction(Loc, FD)) 309 return true; 310 } 311 312 if (auto *MD = dyn_cast<CXXMethodDecl>(D)) { 313 // Lambdas are only default-constructible or assignable in C++2a onwards. 314 if (MD->getParent()->isLambda() && 315 ((isa<CXXConstructorDecl>(MD) && 316 cast<CXXConstructorDecl>(MD)->isDefaultConstructor()) || 317 MD->isCopyAssignmentOperator() || MD->isMoveAssignmentOperator())) { 318 Diag(Loc, diag::warn_cxx17_compat_lambda_def_ctor_assign) 319 << !isa<CXXConstructorDecl>(MD); 320 } 321 } 322 323 auto getReferencedObjCProp = [](const NamedDecl *D) -> 324 const ObjCPropertyDecl * { 325 if (const auto *MD = dyn_cast<ObjCMethodDecl>(D)) 326 return MD->findPropertyDecl(); 327 return nullptr; 328 }; 329 if (const ObjCPropertyDecl *ObjCPDecl = getReferencedObjCProp(D)) { 330 if (diagnoseArgIndependentDiagnoseIfAttrs(ObjCPDecl, Loc)) 331 return true; 332 } else if (diagnoseArgIndependentDiagnoseIfAttrs(D, Loc)) { 333 return true; 334 } 335 336 // [OpenMP 4.0], 2.15 declare reduction Directive, Restrictions 337 // Only the variables omp_in and omp_out are allowed in the combiner. 338 // Only the variables omp_priv and omp_orig are allowed in the 339 // initializer-clause. 340 auto *DRD = dyn_cast<OMPDeclareReductionDecl>(CurContext); 341 if (LangOpts.OpenMP && DRD && !CurContext->containsDecl(D) && 342 isa<VarDecl>(D)) { 343 Diag(Loc, diag::err_omp_wrong_var_in_declare_reduction) 344 << getCurFunction()->HasOMPDeclareReductionCombiner; 345 Diag(D->getLocation(), diag::note_entity_declared_at) << D; 346 return true; 347 } 348 349 // [OpenMP 5.0], 2.19.7.3. declare mapper Directive, Restrictions 350 // List-items in map clauses on this construct may only refer to the declared 351 // variable var and entities that could be referenced by a procedure defined 352 // at the same location 353 if (LangOpts.OpenMP && isa<VarDecl>(D) && 354 !isOpenMPDeclareMapperVarDeclAllowed(cast<VarDecl>(D))) { 355 Diag(Loc, diag::err_omp_declare_mapper_wrong_var) 356 << getOpenMPDeclareMapperVarName(); 357 Diag(D->getLocation(), diag::note_entity_declared_at) << D; 358 return true; 359 } 360 361 if (const auto *EmptyD = dyn_cast<UnresolvedUsingIfExistsDecl>(D)) { 362 Diag(Loc, diag::err_use_of_empty_using_if_exists); 363 Diag(EmptyD->getLocation(), diag::note_empty_using_if_exists_here); 364 return true; 365 } 366 367 DiagnoseAvailabilityOfDecl(D, Locs, UnknownObjCClass, ObjCPropertyAccess, 368 AvoidPartialAvailabilityChecks, ClassReceiver); 369 370 DiagnoseUnusedOfDecl(*this, D, Loc); 371 372 diagnoseUseOfInternalDeclInInlineFunction(*this, D, Loc); 373 374 if (auto *VD = dyn_cast<ValueDecl>(D)) 375 checkTypeSupport(VD->getType(), Loc, VD); 376 377 if (LangOpts.SYCLIsDevice || (LangOpts.OpenMP && LangOpts.OpenMPIsDevice)) { 378 if (!Context.getTargetInfo().isTLSSupported()) 379 if (const auto *VD = dyn_cast<VarDecl>(D)) 380 if (VD->getTLSKind() != VarDecl::TLS_None) 381 targetDiag(*Locs.begin(), diag::err_thread_unsupported); 382 } 383 384 if (isa<ParmVarDecl>(D) && isa<RequiresExprBodyDecl>(D->getDeclContext()) && 385 !isUnevaluatedContext()) { 386 // C++ [expr.prim.req.nested] p3 387 // A local parameter shall only appear as an unevaluated operand 388 // (Clause 8) within the constraint-expression. 389 Diag(Loc, diag::err_requires_expr_parameter_referenced_in_evaluated_context) 390 << D; 391 Diag(D->getLocation(), diag::note_entity_declared_at) << D; 392 return true; 393 } 394 395 return false; 396 } 397 398 /// DiagnoseSentinelCalls - This routine checks whether a call or 399 /// message-send is to a declaration with the sentinel attribute, and 400 /// if so, it checks that the requirements of the sentinel are 401 /// satisfied. 402 void Sema::DiagnoseSentinelCalls(NamedDecl *D, SourceLocation Loc, 403 ArrayRef<Expr *> Args) { 404 const SentinelAttr *attr = D->getAttr<SentinelAttr>(); 405 if (!attr) 406 return; 407 408 // The number of formal parameters of the declaration. 409 unsigned numFormalParams; 410 411 // The kind of declaration. This is also an index into a %select in 412 // the diagnostic. 413 enum CalleeType { CT_Function, CT_Method, CT_Block } calleeType; 414 415 if (ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(D)) { 416 numFormalParams = MD->param_size(); 417 calleeType = CT_Method; 418 } else if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) { 419 numFormalParams = FD->param_size(); 420 calleeType = CT_Function; 421 } else if (isa<VarDecl>(D)) { 422 QualType type = cast<ValueDecl>(D)->getType(); 423 const FunctionType *fn = nullptr; 424 if (const PointerType *ptr = type->getAs<PointerType>()) { 425 fn = ptr->getPointeeType()->getAs<FunctionType>(); 426 if (!fn) return; 427 calleeType = CT_Function; 428 } else if (const BlockPointerType *ptr = type->getAs<BlockPointerType>()) { 429 fn = ptr->getPointeeType()->castAs<FunctionType>(); 430 calleeType = CT_Block; 431 } else { 432 return; 433 } 434 435 if (const FunctionProtoType *proto = dyn_cast<FunctionProtoType>(fn)) { 436 numFormalParams = proto->getNumParams(); 437 } else { 438 numFormalParams = 0; 439 } 440 } else { 441 return; 442 } 443 444 // "nullPos" is the number of formal parameters at the end which 445 // effectively count as part of the variadic arguments. This is 446 // useful if you would prefer to not have *any* formal parameters, 447 // but the language forces you to have at least one. 448 unsigned nullPos = attr->getNullPos(); 449 assert((nullPos == 0 || nullPos == 1) && "invalid null position on sentinel"); 450 numFormalParams = (nullPos > numFormalParams ? 0 : numFormalParams - nullPos); 451 452 // The number of arguments which should follow the sentinel. 453 unsigned numArgsAfterSentinel = attr->getSentinel(); 454 455 // If there aren't enough arguments for all the formal parameters, 456 // the sentinel, and the args after the sentinel, complain. 457 if (Args.size() < numFormalParams + numArgsAfterSentinel + 1) { 458 Diag(Loc, diag::warn_not_enough_argument) << D->getDeclName(); 459 Diag(D->getLocation(), diag::note_sentinel_here) << int(calleeType); 460 return; 461 } 462 463 // Otherwise, find the sentinel expression. 464 Expr *sentinelExpr = Args[Args.size() - numArgsAfterSentinel - 1]; 465 if (!sentinelExpr) return; 466 if (sentinelExpr->isValueDependent()) return; 467 if (Context.isSentinelNullExpr(sentinelExpr)) return; 468 469 // Pick a reasonable string to insert. Optimistically use 'nil', 'nullptr', 470 // or 'NULL' if those are actually defined in the context. Only use 471 // 'nil' for ObjC methods, where it's much more likely that the 472 // variadic arguments form a list of object pointers. 473 SourceLocation MissingNilLoc = getLocForEndOfToken(sentinelExpr->getEndLoc()); 474 std::string NullValue; 475 if (calleeType == CT_Method && PP.isMacroDefined("nil")) 476 NullValue = "nil"; 477 else if (getLangOpts().CPlusPlus11) 478 NullValue = "nullptr"; 479 else if (PP.isMacroDefined("NULL")) 480 NullValue = "NULL"; 481 else 482 NullValue = "(void*) 0"; 483 484 if (MissingNilLoc.isInvalid()) 485 Diag(Loc, diag::warn_missing_sentinel) << int(calleeType); 486 else 487 Diag(MissingNilLoc, diag::warn_missing_sentinel) 488 << int(calleeType) 489 << FixItHint::CreateInsertion(MissingNilLoc, ", " + NullValue); 490 Diag(D->getLocation(), diag::note_sentinel_here) << int(calleeType); 491 } 492 493 SourceRange Sema::getExprRange(Expr *E) const { 494 return E ? E->getSourceRange() : SourceRange(); 495 } 496 497 //===----------------------------------------------------------------------===// 498 // Standard Promotions and Conversions 499 //===----------------------------------------------------------------------===// 500 501 /// DefaultFunctionArrayConversion (C99 6.3.2.1p3, C99 6.3.2.1p4). 502 ExprResult Sema::DefaultFunctionArrayConversion(Expr *E, bool Diagnose) { 503 // Handle any placeholder expressions which made it here. 504 if (E->hasPlaceholderType()) { 505 ExprResult result = CheckPlaceholderExpr(E); 506 if (result.isInvalid()) return ExprError(); 507 E = result.get(); 508 } 509 510 QualType Ty = E->getType(); 511 assert(!Ty.isNull() && "DefaultFunctionArrayConversion - missing type"); 512 513 if (Ty->isFunctionType()) { 514 if (auto *DRE = dyn_cast<DeclRefExpr>(E->IgnoreParenCasts())) 515 if (auto *FD = dyn_cast<FunctionDecl>(DRE->getDecl())) 516 if (!checkAddressOfFunctionIsAvailable(FD, Diagnose, E->getExprLoc())) 517 return ExprError(); 518 519 E = ImpCastExprToType(E, Context.getPointerType(Ty), 520 CK_FunctionToPointerDecay).get(); 521 } else if (Ty->isArrayType()) { 522 // In C90 mode, arrays only promote to pointers if the array expression is 523 // an lvalue. The relevant legalese is C90 6.2.2.1p3: "an lvalue that has 524 // type 'array of type' is converted to an expression that has type 'pointer 525 // to type'...". In C99 this was changed to: C99 6.3.2.1p3: "an expression 526 // that has type 'array of type' ...". The relevant change is "an lvalue" 527 // (C90) to "an expression" (C99). 528 // 529 // C++ 4.2p1: 530 // An lvalue or rvalue of type "array of N T" or "array of unknown bound of 531 // T" can be converted to an rvalue of type "pointer to T". 532 // 533 if (getLangOpts().C99 || getLangOpts().CPlusPlus || E->isLValue()) { 534 ExprResult Res = ImpCastExprToType(E, Context.getArrayDecayedType(Ty), 535 CK_ArrayToPointerDecay); 536 if (Res.isInvalid()) 537 return ExprError(); 538 E = Res.get(); 539 } 540 } 541 return E; 542 } 543 544 static void CheckForNullPointerDereference(Sema &S, Expr *E) { 545 // Check to see if we are dereferencing a null pointer. If so, 546 // and if not volatile-qualified, this is undefined behavior that the 547 // optimizer will delete, so warn about it. People sometimes try to use this 548 // to get a deterministic trap and are surprised by clang's behavior. This 549 // only handles the pattern "*null", which is a very syntactic check. 550 const auto *UO = dyn_cast<UnaryOperator>(E->IgnoreParenCasts()); 551 if (UO && UO->getOpcode() == UO_Deref && 552 UO->getSubExpr()->getType()->isPointerType()) { 553 const LangAS AS = 554 UO->getSubExpr()->getType()->getPointeeType().getAddressSpace(); 555 if ((!isTargetAddressSpace(AS) || 556 (isTargetAddressSpace(AS) && toTargetAddressSpace(AS) == 0)) && 557 UO->getSubExpr()->IgnoreParenCasts()->isNullPointerConstant( 558 S.Context, Expr::NPC_ValueDependentIsNotNull) && 559 !UO->getType().isVolatileQualified()) { 560 S.DiagRuntimeBehavior(UO->getOperatorLoc(), UO, 561 S.PDiag(diag::warn_indirection_through_null) 562 << UO->getSubExpr()->getSourceRange()); 563 S.DiagRuntimeBehavior(UO->getOperatorLoc(), UO, 564 S.PDiag(diag::note_indirection_through_null)); 565 } 566 } 567 } 568 569 static void DiagnoseDirectIsaAccess(Sema &S, const ObjCIvarRefExpr *OIRE, 570 SourceLocation AssignLoc, 571 const Expr* RHS) { 572 const ObjCIvarDecl *IV = OIRE->getDecl(); 573 if (!IV) 574 return; 575 576 DeclarationName MemberName = IV->getDeclName(); 577 IdentifierInfo *Member = MemberName.getAsIdentifierInfo(); 578 if (!Member || !Member->isStr("isa")) 579 return; 580 581 const Expr *Base = OIRE->getBase(); 582 QualType BaseType = Base->getType(); 583 if (OIRE->isArrow()) 584 BaseType = BaseType->getPointeeType(); 585 if (const ObjCObjectType *OTy = BaseType->getAs<ObjCObjectType>()) 586 if (ObjCInterfaceDecl *IDecl = OTy->getInterface()) { 587 ObjCInterfaceDecl *ClassDeclared = nullptr; 588 ObjCIvarDecl *IV = IDecl->lookupInstanceVariable(Member, ClassDeclared); 589 if (!ClassDeclared->getSuperClass() 590 && (*ClassDeclared->ivar_begin()) == IV) { 591 if (RHS) { 592 NamedDecl *ObjectSetClass = 593 S.LookupSingleName(S.TUScope, 594 &S.Context.Idents.get("object_setClass"), 595 SourceLocation(), S.LookupOrdinaryName); 596 if (ObjectSetClass) { 597 SourceLocation RHSLocEnd = S.getLocForEndOfToken(RHS->getEndLoc()); 598 S.Diag(OIRE->getExprLoc(), diag::warn_objc_isa_assign) 599 << FixItHint::CreateInsertion(OIRE->getBeginLoc(), 600 "object_setClass(") 601 << FixItHint::CreateReplacement( 602 SourceRange(OIRE->getOpLoc(), AssignLoc), ",") 603 << FixItHint::CreateInsertion(RHSLocEnd, ")"); 604 } 605 else 606 S.Diag(OIRE->getLocation(), diag::warn_objc_isa_assign); 607 } else { 608 NamedDecl *ObjectGetClass = 609 S.LookupSingleName(S.TUScope, 610 &S.Context.Idents.get("object_getClass"), 611 SourceLocation(), S.LookupOrdinaryName); 612 if (ObjectGetClass) 613 S.Diag(OIRE->getExprLoc(), diag::warn_objc_isa_use) 614 << FixItHint::CreateInsertion(OIRE->getBeginLoc(), 615 "object_getClass(") 616 << FixItHint::CreateReplacement( 617 SourceRange(OIRE->getOpLoc(), OIRE->getEndLoc()), ")"); 618 else 619 S.Diag(OIRE->getLocation(), diag::warn_objc_isa_use); 620 } 621 S.Diag(IV->getLocation(), diag::note_ivar_decl); 622 } 623 } 624 } 625 626 ExprResult Sema::DefaultLvalueConversion(Expr *E) { 627 // Handle any placeholder expressions which made it here. 628 if (E->hasPlaceholderType()) { 629 ExprResult result = CheckPlaceholderExpr(E); 630 if (result.isInvalid()) return ExprError(); 631 E = result.get(); 632 } 633 634 // C++ [conv.lval]p1: 635 // A glvalue of a non-function, non-array type T can be 636 // converted to a prvalue. 637 if (!E->isGLValue()) return E; 638 639 QualType T = E->getType(); 640 assert(!T.isNull() && "r-value conversion on typeless expression?"); 641 642 // lvalue-to-rvalue conversion cannot be applied to function or array types. 643 if (T->isFunctionType() || T->isArrayType()) 644 return E; 645 646 // We don't want to throw lvalue-to-rvalue casts on top of 647 // expressions of certain types in C++. 648 if (getLangOpts().CPlusPlus && 649 (E->getType() == Context.OverloadTy || 650 T->isDependentType() || 651 T->isRecordType())) 652 return E; 653 654 // The C standard is actually really unclear on this point, and 655 // DR106 tells us what the result should be but not why. It's 656 // generally best to say that void types just doesn't undergo 657 // lvalue-to-rvalue at all. Note that expressions of unqualified 658 // 'void' type are never l-values, but qualified void can be. 659 if (T->isVoidType()) 660 return E; 661 662 // OpenCL usually rejects direct accesses to values of 'half' type. 663 if (getLangOpts().OpenCL && 664 !getOpenCLOptions().isAvailableOption("cl_khr_fp16", getLangOpts()) && 665 T->isHalfType()) { 666 Diag(E->getExprLoc(), diag::err_opencl_half_load_store) 667 << 0 << T; 668 return ExprError(); 669 } 670 671 CheckForNullPointerDereference(*this, E); 672 if (const ObjCIsaExpr *OISA = dyn_cast<ObjCIsaExpr>(E->IgnoreParenCasts())) { 673 NamedDecl *ObjectGetClass = LookupSingleName(TUScope, 674 &Context.Idents.get("object_getClass"), 675 SourceLocation(), LookupOrdinaryName); 676 if (ObjectGetClass) 677 Diag(E->getExprLoc(), diag::warn_objc_isa_use) 678 << FixItHint::CreateInsertion(OISA->getBeginLoc(), "object_getClass(") 679 << FixItHint::CreateReplacement( 680 SourceRange(OISA->getOpLoc(), OISA->getIsaMemberLoc()), ")"); 681 else 682 Diag(E->getExprLoc(), diag::warn_objc_isa_use); 683 } 684 else if (const ObjCIvarRefExpr *OIRE = 685 dyn_cast<ObjCIvarRefExpr>(E->IgnoreParenCasts())) 686 DiagnoseDirectIsaAccess(*this, OIRE, SourceLocation(), /* Expr*/nullptr); 687 688 // C++ [conv.lval]p1: 689 // [...] If T is a non-class type, the type of the prvalue is the 690 // cv-unqualified version of T. Otherwise, the type of the 691 // rvalue is T. 692 // 693 // C99 6.3.2.1p2: 694 // If the lvalue has qualified type, the value has the unqualified 695 // version of the type of the lvalue; otherwise, the value has the 696 // type of the lvalue. 697 if (T.hasQualifiers()) 698 T = T.getUnqualifiedType(); 699 700 // Under the MS ABI, lock down the inheritance model now. 701 if (T->isMemberPointerType() && 702 Context.getTargetInfo().getCXXABI().isMicrosoft()) 703 (void)isCompleteType(E->getExprLoc(), T); 704 705 ExprResult Res = CheckLValueToRValueConversionOperand(E); 706 if (Res.isInvalid()) 707 return Res; 708 E = Res.get(); 709 710 // Loading a __weak object implicitly retains the value, so we need a cleanup to 711 // balance that. 712 if (E->getType().getObjCLifetime() == Qualifiers::OCL_Weak) 713 Cleanup.setExprNeedsCleanups(true); 714 715 if (E->getType().isDestructedType() == QualType::DK_nontrivial_c_struct) 716 Cleanup.setExprNeedsCleanups(true); 717 718 // C++ [conv.lval]p3: 719 // If T is cv std::nullptr_t, the result is a null pointer constant. 720 CastKind CK = T->isNullPtrType() ? CK_NullToPointer : CK_LValueToRValue; 721 Res = ImplicitCastExpr::Create(Context, T, CK, E, nullptr, VK_PRValue, 722 CurFPFeatureOverrides()); 723 724 // C11 6.3.2.1p2: 725 // ... if the lvalue has atomic type, the value has the non-atomic version 726 // of the type of the lvalue ... 727 if (const AtomicType *Atomic = T->getAs<AtomicType>()) { 728 T = Atomic->getValueType().getUnqualifiedType(); 729 Res = ImplicitCastExpr::Create(Context, T, CK_AtomicToNonAtomic, Res.get(), 730 nullptr, VK_PRValue, FPOptionsOverride()); 731 } 732 733 return Res; 734 } 735 736 ExprResult Sema::DefaultFunctionArrayLvalueConversion(Expr *E, bool Diagnose) { 737 ExprResult Res = DefaultFunctionArrayConversion(E, Diagnose); 738 if (Res.isInvalid()) 739 return ExprError(); 740 Res = DefaultLvalueConversion(Res.get()); 741 if (Res.isInvalid()) 742 return ExprError(); 743 return Res; 744 } 745 746 /// CallExprUnaryConversions - a special case of an unary conversion 747 /// performed on a function designator of a call expression. 748 ExprResult Sema::CallExprUnaryConversions(Expr *E) { 749 QualType Ty = E->getType(); 750 ExprResult Res = E; 751 // Only do implicit cast for a function type, but not for a pointer 752 // to function type. 753 if (Ty->isFunctionType()) { 754 Res = ImpCastExprToType(E, Context.getPointerType(Ty), 755 CK_FunctionToPointerDecay); 756 if (Res.isInvalid()) 757 return ExprError(); 758 } 759 Res = DefaultLvalueConversion(Res.get()); 760 if (Res.isInvalid()) 761 return ExprError(); 762 return Res.get(); 763 } 764 765 /// UsualUnaryConversions - Performs various conversions that are common to most 766 /// operators (C99 6.3). The conversions of array and function types are 767 /// sometimes suppressed. For example, the array->pointer conversion doesn't 768 /// apply if the array is an argument to the sizeof or address (&) operators. 769 /// In these instances, this routine should *not* be called. 770 ExprResult Sema::UsualUnaryConversions(Expr *E) { 771 // First, convert to an r-value. 772 ExprResult Res = DefaultFunctionArrayLvalueConversion(E); 773 if (Res.isInvalid()) 774 return ExprError(); 775 E = Res.get(); 776 777 QualType Ty = E->getType(); 778 assert(!Ty.isNull() && "UsualUnaryConversions - missing type"); 779 780 LangOptions::FPEvalMethodKind EvalMethod = CurFPFeatures.getFPEvalMethod(); 781 if (EvalMethod != LangOptions::FEM_Source && Ty->isFloatingType() && 782 (getLangOpts().getFPEvalMethod() != 783 LangOptions::FPEvalMethodKind::FEM_UnsetOnCommandLine || 784 PP.getLastFPEvalPragmaLocation().isValid())) { 785 switch (EvalMethod) { 786 default: 787 llvm_unreachable("Unrecognized float evaluation method"); 788 break; 789 case LangOptions::FEM_UnsetOnCommandLine: 790 llvm_unreachable("Float evaluation method should be set by now"); 791 break; 792 case LangOptions::FEM_Double: 793 if (Context.getFloatingTypeOrder(Context.DoubleTy, Ty) > 0) 794 // Widen the expression to double. 795 return Ty->isComplexType() 796 ? ImpCastExprToType(E, 797 Context.getComplexType(Context.DoubleTy), 798 CK_FloatingComplexCast) 799 : ImpCastExprToType(E, Context.DoubleTy, CK_FloatingCast); 800 break; 801 case LangOptions::FEM_Extended: 802 if (Context.getFloatingTypeOrder(Context.LongDoubleTy, Ty) > 0) 803 // Widen the expression to long double. 804 return Ty->isComplexType() 805 ? ImpCastExprToType( 806 E, Context.getComplexType(Context.LongDoubleTy), 807 CK_FloatingComplexCast) 808 : ImpCastExprToType(E, Context.LongDoubleTy, 809 CK_FloatingCast); 810 break; 811 } 812 } 813 814 // Half FP have to be promoted to float unless it is natively supported 815 if (Ty->isHalfType() && !getLangOpts().NativeHalfType) 816 return ImpCastExprToType(Res.get(), Context.FloatTy, CK_FloatingCast); 817 818 // Try to perform integral promotions if the object has a theoretically 819 // promotable type. 820 if (Ty->isIntegralOrUnscopedEnumerationType()) { 821 // C99 6.3.1.1p2: 822 // 823 // The following may be used in an expression wherever an int or 824 // unsigned int may be used: 825 // - an object or expression with an integer type whose integer 826 // conversion rank is less than or equal to the rank of int 827 // and unsigned int. 828 // - A bit-field of type _Bool, int, signed int, or unsigned int. 829 // 830 // If an int can represent all values of the original type, the 831 // value is converted to an int; otherwise, it is converted to an 832 // unsigned int. These are called the integer promotions. All 833 // other types are unchanged by the integer promotions. 834 835 QualType PTy = Context.isPromotableBitField(E); 836 if (!PTy.isNull()) { 837 E = ImpCastExprToType(E, PTy, CK_IntegralCast).get(); 838 return E; 839 } 840 if (Ty->isPromotableIntegerType()) { 841 QualType PT = Context.getPromotedIntegerType(Ty); 842 E = ImpCastExprToType(E, PT, CK_IntegralCast).get(); 843 return E; 844 } 845 } 846 return E; 847 } 848 849 /// DefaultArgumentPromotion (C99 6.5.2.2p6). Used for function calls that 850 /// do not have a prototype. Arguments that have type float or __fp16 851 /// are promoted to double. All other argument types are converted by 852 /// UsualUnaryConversions(). 853 ExprResult Sema::DefaultArgumentPromotion(Expr *E) { 854 QualType Ty = E->getType(); 855 assert(!Ty.isNull() && "DefaultArgumentPromotion - missing type"); 856 857 ExprResult Res = UsualUnaryConversions(E); 858 if (Res.isInvalid()) 859 return ExprError(); 860 E = Res.get(); 861 862 // If this is a 'float' or '__fp16' (CVR qualified or typedef) 863 // promote to double. 864 // Note that default argument promotion applies only to float (and 865 // half/fp16); it does not apply to _Float16. 866 const BuiltinType *BTy = Ty->getAs<BuiltinType>(); 867 if (BTy && (BTy->getKind() == BuiltinType::Half || 868 BTy->getKind() == BuiltinType::Float)) { 869 if (getLangOpts().OpenCL && 870 !getOpenCLOptions().isAvailableOption("cl_khr_fp64", getLangOpts())) { 871 if (BTy->getKind() == BuiltinType::Half) { 872 E = ImpCastExprToType(E, Context.FloatTy, CK_FloatingCast).get(); 873 } 874 } else { 875 E = ImpCastExprToType(E, Context.DoubleTy, CK_FloatingCast).get(); 876 } 877 } 878 if (BTy && 879 getLangOpts().getExtendIntArgs() == 880 LangOptions::ExtendArgsKind::ExtendTo64 && 881 Context.getTargetInfo().supportsExtendIntArgs() && Ty->isIntegerType() && 882 Context.getTypeSizeInChars(BTy) < 883 Context.getTypeSizeInChars(Context.LongLongTy)) { 884 E = (Ty->isUnsignedIntegerType()) 885 ? ImpCastExprToType(E, Context.UnsignedLongLongTy, CK_IntegralCast) 886 .get() 887 : ImpCastExprToType(E, Context.LongLongTy, CK_IntegralCast).get(); 888 assert(8 == Context.getTypeSizeInChars(Context.LongLongTy).getQuantity() && 889 "Unexpected typesize for LongLongTy"); 890 } 891 892 // C++ performs lvalue-to-rvalue conversion as a default argument 893 // promotion, even on class types, but note: 894 // C++11 [conv.lval]p2: 895 // When an lvalue-to-rvalue conversion occurs in an unevaluated 896 // operand or a subexpression thereof the value contained in the 897 // referenced object is not accessed. Otherwise, if the glvalue 898 // has a class type, the conversion copy-initializes a temporary 899 // of type T from the glvalue and the result of the conversion 900 // is a prvalue for the temporary. 901 // FIXME: add some way to gate this entire thing for correctness in 902 // potentially potentially evaluated contexts. 903 if (getLangOpts().CPlusPlus && E->isGLValue() && !isUnevaluatedContext()) { 904 ExprResult Temp = PerformCopyInitialization( 905 InitializedEntity::InitializeTemporary(E->getType()), 906 E->getExprLoc(), E); 907 if (Temp.isInvalid()) 908 return ExprError(); 909 E = Temp.get(); 910 } 911 912 return E; 913 } 914 915 /// Determine the degree of POD-ness for an expression. 916 /// Incomplete types are considered POD, since this check can be performed 917 /// when we're in an unevaluated context. 918 Sema::VarArgKind Sema::isValidVarArgType(const QualType &Ty) { 919 if (Ty->isIncompleteType()) { 920 // C++11 [expr.call]p7: 921 // After these conversions, if the argument does not have arithmetic, 922 // enumeration, pointer, pointer to member, or class type, the program 923 // is ill-formed. 924 // 925 // Since we've already performed array-to-pointer and function-to-pointer 926 // decay, the only such type in C++ is cv void. This also handles 927 // initializer lists as variadic arguments. 928 if (Ty->isVoidType()) 929 return VAK_Invalid; 930 931 if (Ty->isObjCObjectType()) 932 return VAK_Invalid; 933 return VAK_Valid; 934 } 935 936 if (Ty.isDestructedType() == QualType::DK_nontrivial_c_struct) 937 return VAK_Invalid; 938 939 if (Ty.isCXX98PODType(Context)) 940 return VAK_Valid; 941 942 // C++11 [expr.call]p7: 943 // Passing a potentially-evaluated argument of class type (Clause 9) 944 // having a non-trivial copy constructor, a non-trivial move constructor, 945 // or a non-trivial destructor, with no corresponding parameter, 946 // is conditionally-supported with implementation-defined semantics. 947 if (getLangOpts().CPlusPlus11 && !Ty->isDependentType()) 948 if (CXXRecordDecl *Record = Ty->getAsCXXRecordDecl()) 949 if (!Record->hasNonTrivialCopyConstructor() && 950 !Record->hasNonTrivialMoveConstructor() && 951 !Record->hasNonTrivialDestructor()) 952 return VAK_ValidInCXX11; 953 954 if (getLangOpts().ObjCAutoRefCount && Ty->isObjCLifetimeType()) 955 return VAK_Valid; 956 957 if (Ty->isObjCObjectType()) 958 return VAK_Invalid; 959 960 if (getLangOpts().MSVCCompat) 961 return VAK_MSVCUndefined; 962 963 // FIXME: In C++11, these cases are conditionally-supported, meaning we're 964 // permitted to reject them. We should consider doing so. 965 return VAK_Undefined; 966 } 967 968 void Sema::checkVariadicArgument(const Expr *E, VariadicCallType CT) { 969 // Don't allow one to pass an Objective-C interface to a vararg. 970 const QualType &Ty = E->getType(); 971 VarArgKind VAK = isValidVarArgType(Ty); 972 973 // Complain about passing non-POD types through varargs. 974 switch (VAK) { 975 case VAK_ValidInCXX11: 976 DiagRuntimeBehavior( 977 E->getBeginLoc(), nullptr, 978 PDiag(diag::warn_cxx98_compat_pass_non_pod_arg_to_vararg) << Ty << CT); 979 LLVM_FALLTHROUGH; 980 case VAK_Valid: 981 if (Ty->isRecordType()) { 982 // This is unlikely to be what the user intended. If the class has a 983 // 'c_str' member function, the user probably meant to call that. 984 DiagRuntimeBehavior(E->getBeginLoc(), nullptr, 985 PDiag(diag::warn_pass_class_arg_to_vararg) 986 << Ty << CT << hasCStrMethod(E) << ".c_str()"); 987 } 988 break; 989 990 case VAK_Undefined: 991 case VAK_MSVCUndefined: 992 DiagRuntimeBehavior(E->getBeginLoc(), nullptr, 993 PDiag(diag::warn_cannot_pass_non_pod_arg_to_vararg) 994 << getLangOpts().CPlusPlus11 << Ty << CT); 995 break; 996 997 case VAK_Invalid: 998 if (Ty.isDestructedType() == QualType::DK_nontrivial_c_struct) 999 Diag(E->getBeginLoc(), 1000 diag::err_cannot_pass_non_trivial_c_struct_to_vararg) 1001 << Ty << CT; 1002 else if (Ty->isObjCObjectType()) 1003 DiagRuntimeBehavior(E->getBeginLoc(), nullptr, 1004 PDiag(diag::err_cannot_pass_objc_interface_to_vararg) 1005 << Ty << CT); 1006 else 1007 Diag(E->getBeginLoc(), diag::err_cannot_pass_to_vararg) 1008 << isa<InitListExpr>(E) << Ty << CT; 1009 break; 1010 } 1011 } 1012 1013 /// DefaultVariadicArgumentPromotion - Like DefaultArgumentPromotion, but 1014 /// will create a trap if the resulting type is not a POD type. 1015 ExprResult Sema::DefaultVariadicArgumentPromotion(Expr *E, VariadicCallType CT, 1016 FunctionDecl *FDecl) { 1017 if (const BuiltinType *PlaceholderTy = E->getType()->getAsPlaceholderType()) { 1018 // Strip the unbridged-cast placeholder expression off, if applicable. 1019 if (PlaceholderTy->getKind() == BuiltinType::ARCUnbridgedCast && 1020 (CT == VariadicMethod || 1021 (FDecl && FDecl->hasAttr<CFAuditedTransferAttr>()))) { 1022 E = stripARCUnbridgedCast(E); 1023 1024 // Otherwise, do normal placeholder checking. 1025 } else { 1026 ExprResult ExprRes = CheckPlaceholderExpr(E); 1027 if (ExprRes.isInvalid()) 1028 return ExprError(); 1029 E = ExprRes.get(); 1030 } 1031 } 1032 1033 ExprResult ExprRes = DefaultArgumentPromotion(E); 1034 if (ExprRes.isInvalid()) 1035 return ExprError(); 1036 1037 // Copy blocks to the heap. 1038 if (ExprRes.get()->getType()->isBlockPointerType()) 1039 maybeExtendBlockObject(ExprRes); 1040 1041 E = ExprRes.get(); 1042 1043 // Diagnostics regarding non-POD argument types are 1044 // emitted along with format string checking in Sema::CheckFunctionCall(). 1045 if (isValidVarArgType(E->getType()) == VAK_Undefined) { 1046 // Turn this into a trap. 1047 CXXScopeSpec SS; 1048 SourceLocation TemplateKWLoc; 1049 UnqualifiedId Name; 1050 Name.setIdentifier(PP.getIdentifierInfo("__builtin_trap"), 1051 E->getBeginLoc()); 1052 ExprResult TrapFn = ActOnIdExpression(TUScope, SS, TemplateKWLoc, Name, 1053 /*HasTrailingLParen=*/true, 1054 /*IsAddressOfOperand=*/false); 1055 if (TrapFn.isInvalid()) 1056 return ExprError(); 1057 1058 ExprResult Call = BuildCallExpr(TUScope, TrapFn.get(), E->getBeginLoc(), 1059 None, E->getEndLoc()); 1060 if (Call.isInvalid()) 1061 return ExprError(); 1062 1063 ExprResult Comma = 1064 ActOnBinOp(TUScope, E->getBeginLoc(), tok::comma, Call.get(), E); 1065 if (Comma.isInvalid()) 1066 return ExprError(); 1067 return Comma.get(); 1068 } 1069 1070 if (!getLangOpts().CPlusPlus && 1071 RequireCompleteType(E->getExprLoc(), E->getType(), 1072 diag::err_call_incomplete_argument)) 1073 return ExprError(); 1074 1075 return E; 1076 } 1077 1078 /// Converts an integer to complex float type. Helper function of 1079 /// UsualArithmeticConversions() 1080 /// 1081 /// \return false if the integer expression is an integer type and is 1082 /// successfully converted to the complex type. 1083 static bool handleIntegerToComplexFloatConversion(Sema &S, ExprResult &IntExpr, 1084 ExprResult &ComplexExpr, 1085 QualType IntTy, 1086 QualType ComplexTy, 1087 bool SkipCast) { 1088 if (IntTy->isComplexType() || IntTy->isRealFloatingType()) return true; 1089 if (SkipCast) return false; 1090 if (IntTy->isIntegerType()) { 1091 QualType fpTy = cast<ComplexType>(ComplexTy)->getElementType(); 1092 IntExpr = S.ImpCastExprToType(IntExpr.get(), fpTy, CK_IntegralToFloating); 1093 IntExpr = S.ImpCastExprToType(IntExpr.get(), ComplexTy, 1094 CK_FloatingRealToComplex); 1095 } else { 1096 assert(IntTy->isComplexIntegerType()); 1097 IntExpr = S.ImpCastExprToType(IntExpr.get(), ComplexTy, 1098 CK_IntegralComplexToFloatingComplex); 1099 } 1100 return false; 1101 } 1102 1103 /// Handle arithmetic conversion with complex types. Helper function of 1104 /// UsualArithmeticConversions() 1105 static QualType handleComplexFloatConversion(Sema &S, ExprResult &LHS, 1106 ExprResult &RHS, QualType LHSType, 1107 QualType RHSType, 1108 bool IsCompAssign) { 1109 // if we have an integer operand, the result is the complex type. 1110 if (!handleIntegerToComplexFloatConversion(S, RHS, LHS, RHSType, LHSType, 1111 /*skipCast*/false)) 1112 return LHSType; 1113 if (!handleIntegerToComplexFloatConversion(S, LHS, RHS, LHSType, RHSType, 1114 /*skipCast*/IsCompAssign)) 1115 return RHSType; 1116 1117 // This handles complex/complex, complex/float, or float/complex. 1118 // When both operands are complex, the shorter operand is converted to the 1119 // type of the longer, and that is the type of the result. This corresponds 1120 // to what is done when combining two real floating-point operands. 1121 // The fun begins when size promotion occur across type domains. 1122 // From H&S 6.3.4: When one operand is complex and the other is a real 1123 // floating-point type, the less precise type is converted, within it's 1124 // real or complex domain, to the precision of the other type. For example, 1125 // when combining a "long double" with a "double _Complex", the 1126 // "double _Complex" is promoted to "long double _Complex". 1127 1128 // Compute the rank of the two types, regardless of whether they are complex. 1129 int Order = S.Context.getFloatingTypeOrder(LHSType, RHSType); 1130 1131 auto *LHSComplexType = dyn_cast<ComplexType>(LHSType); 1132 auto *RHSComplexType = dyn_cast<ComplexType>(RHSType); 1133 QualType LHSElementType = 1134 LHSComplexType ? LHSComplexType->getElementType() : LHSType; 1135 QualType RHSElementType = 1136 RHSComplexType ? RHSComplexType->getElementType() : RHSType; 1137 1138 QualType ResultType = S.Context.getComplexType(LHSElementType); 1139 if (Order < 0) { 1140 // Promote the precision of the LHS if not an assignment. 1141 ResultType = S.Context.getComplexType(RHSElementType); 1142 if (!IsCompAssign) { 1143 if (LHSComplexType) 1144 LHS = 1145 S.ImpCastExprToType(LHS.get(), ResultType, CK_FloatingComplexCast); 1146 else 1147 LHS = S.ImpCastExprToType(LHS.get(), RHSElementType, CK_FloatingCast); 1148 } 1149 } else if (Order > 0) { 1150 // Promote the precision of the RHS. 1151 if (RHSComplexType) 1152 RHS = S.ImpCastExprToType(RHS.get(), ResultType, CK_FloatingComplexCast); 1153 else 1154 RHS = S.ImpCastExprToType(RHS.get(), LHSElementType, CK_FloatingCast); 1155 } 1156 return ResultType; 1157 } 1158 1159 /// Handle arithmetic conversion from integer to float. Helper function 1160 /// of UsualArithmeticConversions() 1161 static QualType handleIntToFloatConversion(Sema &S, ExprResult &FloatExpr, 1162 ExprResult &IntExpr, 1163 QualType FloatTy, QualType IntTy, 1164 bool ConvertFloat, bool ConvertInt) { 1165 if (IntTy->isIntegerType()) { 1166 if (ConvertInt) 1167 // Convert intExpr to the lhs floating point type. 1168 IntExpr = S.ImpCastExprToType(IntExpr.get(), FloatTy, 1169 CK_IntegralToFloating); 1170 return FloatTy; 1171 } 1172 1173 // Convert both sides to the appropriate complex float. 1174 assert(IntTy->isComplexIntegerType()); 1175 QualType result = S.Context.getComplexType(FloatTy); 1176 1177 // _Complex int -> _Complex float 1178 if (ConvertInt) 1179 IntExpr = S.ImpCastExprToType(IntExpr.get(), result, 1180 CK_IntegralComplexToFloatingComplex); 1181 1182 // float -> _Complex float 1183 if (ConvertFloat) 1184 FloatExpr = S.ImpCastExprToType(FloatExpr.get(), result, 1185 CK_FloatingRealToComplex); 1186 1187 return result; 1188 } 1189 1190 /// Handle arithmethic conversion with floating point types. Helper 1191 /// function of UsualArithmeticConversions() 1192 static QualType handleFloatConversion(Sema &S, ExprResult &LHS, 1193 ExprResult &RHS, QualType LHSType, 1194 QualType RHSType, bool IsCompAssign) { 1195 bool LHSFloat = LHSType->isRealFloatingType(); 1196 bool RHSFloat = RHSType->isRealFloatingType(); 1197 1198 // N1169 4.1.4: If one of the operands has a floating type and the other 1199 // operand has a fixed-point type, the fixed-point operand 1200 // is converted to the floating type [...] 1201 if (LHSType->isFixedPointType() || RHSType->isFixedPointType()) { 1202 if (LHSFloat) 1203 RHS = S.ImpCastExprToType(RHS.get(), LHSType, CK_FixedPointToFloating); 1204 else if (!IsCompAssign) 1205 LHS = S.ImpCastExprToType(LHS.get(), RHSType, CK_FixedPointToFloating); 1206 return LHSFloat ? LHSType : RHSType; 1207 } 1208 1209 // If we have two real floating types, convert the smaller operand 1210 // to the bigger result. 1211 if (LHSFloat && RHSFloat) { 1212 int order = S.Context.getFloatingTypeOrder(LHSType, RHSType); 1213 if (order > 0) { 1214 RHS = S.ImpCastExprToType(RHS.get(), LHSType, CK_FloatingCast); 1215 return LHSType; 1216 } 1217 1218 assert(order < 0 && "illegal float comparison"); 1219 if (!IsCompAssign) 1220 LHS = S.ImpCastExprToType(LHS.get(), RHSType, CK_FloatingCast); 1221 return RHSType; 1222 } 1223 1224 if (LHSFloat) { 1225 // Half FP has to be promoted to float unless it is natively supported 1226 if (LHSType->isHalfType() && !S.getLangOpts().NativeHalfType) 1227 LHSType = S.Context.FloatTy; 1228 1229 return handleIntToFloatConversion(S, LHS, RHS, LHSType, RHSType, 1230 /*ConvertFloat=*/!IsCompAssign, 1231 /*ConvertInt=*/ true); 1232 } 1233 assert(RHSFloat); 1234 return handleIntToFloatConversion(S, RHS, LHS, RHSType, LHSType, 1235 /*ConvertFloat=*/ true, 1236 /*ConvertInt=*/!IsCompAssign); 1237 } 1238 1239 /// Diagnose attempts to convert between __float128, __ibm128 and 1240 /// long double if there is no support for such conversion. 1241 /// Helper function of UsualArithmeticConversions(). 1242 static bool unsupportedTypeConversion(const Sema &S, QualType LHSType, 1243 QualType RHSType) { 1244 // No issue if either is not a floating point type. 1245 if (!LHSType->isFloatingType() || !RHSType->isFloatingType()) 1246 return false; 1247 1248 // No issue if both have the same 128-bit float semantics. 1249 auto *LHSComplex = LHSType->getAs<ComplexType>(); 1250 auto *RHSComplex = RHSType->getAs<ComplexType>(); 1251 1252 QualType LHSElem = LHSComplex ? LHSComplex->getElementType() : LHSType; 1253 QualType RHSElem = RHSComplex ? RHSComplex->getElementType() : RHSType; 1254 1255 const llvm::fltSemantics &LHSSem = S.Context.getFloatTypeSemantics(LHSElem); 1256 const llvm::fltSemantics &RHSSem = S.Context.getFloatTypeSemantics(RHSElem); 1257 1258 if ((&LHSSem != &llvm::APFloat::PPCDoubleDouble() || 1259 &RHSSem != &llvm::APFloat::IEEEquad()) && 1260 (&LHSSem != &llvm::APFloat::IEEEquad() || 1261 &RHSSem != &llvm::APFloat::PPCDoubleDouble())) 1262 return false; 1263 1264 return true; 1265 } 1266 1267 typedef ExprResult PerformCastFn(Sema &S, Expr *operand, QualType toType); 1268 1269 namespace { 1270 /// These helper callbacks are placed in an anonymous namespace to 1271 /// permit their use as function template parameters. 1272 ExprResult doIntegralCast(Sema &S, Expr *op, QualType toType) { 1273 return S.ImpCastExprToType(op, toType, CK_IntegralCast); 1274 } 1275 1276 ExprResult doComplexIntegralCast(Sema &S, Expr *op, QualType toType) { 1277 return S.ImpCastExprToType(op, S.Context.getComplexType(toType), 1278 CK_IntegralComplexCast); 1279 } 1280 } 1281 1282 /// Handle integer arithmetic conversions. Helper function of 1283 /// UsualArithmeticConversions() 1284 template <PerformCastFn doLHSCast, PerformCastFn doRHSCast> 1285 static QualType handleIntegerConversion(Sema &S, ExprResult &LHS, 1286 ExprResult &RHS, QualType LHSType, 1287 QualType RHSType, bool IsCompAssign) { 1288 // The rules for this case are in C99 6.3.1.8 1289 int order = S.Context.getIntegerTypeOrder(LHSType, RHSType); 1290 bool LHSSigned = LHSType->hasSignedIntegerRepresentation(); 1291 bool RHSSigned = RHSType->hasSignedIntegerRepresentation(); 1292 if (LHSSigned == RHSSigned) { 1293 // Same signedness; use the higher-ranked type 1294 if (order >= 0) { 1295 RHS = (*doRHSCast)(S, RHS.get(), LHSType); 1296 return LHSType; 1297 } else if (!IsCompAssign) 1298 LHS = (*doLHSCast)(S, LHS.get(), RHSType); 1299 return RHSType; 1300 } else if (order != (LHSSigned ? 1 : -1)) { 1301 // The unsigned type has greater than or equal rank to the 1302 // signed type, so use the unsigned type 1303 if (RHSSigned) { 1304 RHS = (*doRHSCast)(S, RHS.get(), LHSType); 1305 return LHSType; 1306 } else if (!IsCompAssign) 1307 LHS = (*doLHSCast)(S, LHS.get(), RHSType); 1308 return RHSType; 1309 } else if (S.Context.getIntWidth(LHSType) != S.Context.getIntWidth(RHSType)) { 1310 // The two types are different widths; if we are here, that 1311 // means the signed type is larger than the unsigned type, so 1312 // use the signed type. 1313 if (LHSSigned) { 1314 RHS = (*doRHSCast)(S, RHS.get(), LHSType); 1315 return LHSType; 1316 } else if (!IsCompAssign) 1317 LHS = (*doLHSCast)(S, LHS.get(), RHSType); 1318 return RHSType; 1319 } else { 1320 // The signed type is higher-ranked than the unsigned type, 1321 // but isn't actually any bigger (like unsigned int and long 1322 // on most 32-bit systems). Use the unsigned type corresponding 1323 // to the signed type. 1324 QualType result = 1325 S.Context.getCorrespondingUnsignedType(LHSSigned ? LHSType : RHSType); 1326 RHS = (*doRHSCast)(S, RHS.get(), result); 1327 if (!IsCompAssign) 1328 LHS = (*doLHSCast)(S, LHS.get(), result); 1329 return result; 1330 } 1331 } 1332 1333 /// Handle conversions with GCC complex int extension. Helper function 1334 /// of UsualArithmeticConversions() 1335 static QualType handleComplexIntConversion(Sema &S, ExprResult &LHS, 1336 ExprResult &RHS, QualType LHSType, 1337 QualType RHSType, 1338 bool IsCompAssign) { 1339 const ComplexType *LHSComplexInt = LHSType->getAsComplexIntegerType(); 1340 const ComplexType *RHSComplexInt = RHSType->getAsComplexIntegerType(); 1341 1342 if (LHSComplexInt && RHSComplexInt) { 1343 QualType LHSEltType = LHSComplexInt->getElementType(); 1344 QualType RHSEltType = RHSComplexInt->getElementType(); 1345 QualType ScalarType = 1346 handleIntegerConversion<doComplexIntegralCast, doComplexIntegralCast> 1347 (S, LHS, RHS, LHSEltType, RHSEltType, IsCompAssign); 1348 1349 return S.Context.getComplexType(ScalarType); 1350 } 1351 1352 if (LHSComplexInt) { 1353 QualType LHSEltType = LHSComplexInt->getElementType(); 1354 QualType ScalarType = 1355 handleIntegerConversion<doComplexIntegralCast, doIntegralCast> 1356 (S, LHS, RHS, LHSEltType, RHSType, IsCompAssign); 1357 QualType ComplexType = S.Context.getComplexType(ScalarType); 1358 RHS = S.ImpCastExprToType(RHS.get(), ComplexType, 1359 CK_IntegralRealToComplex); 1360 1361 return ComplexType; 1362 } 1363 1364 assert(RHSComplexInt); 1365 1366 QualType RHSEltType = RHSComplexInt->getElementType(); 1367 QualType ScalarType = 1368 handleIntegerConversion<doIntegralCast, doComplexIntegralCast> 1369 (S, LHS, RHS, LHSType, RHSEltType, IsCompAssign); 1370 QualType ComplexType = S.Context.getComplexType(ScalarType); 1371 1372 if (!IsCompAssign) 1373 LHS = S.ImpCastExprToType(LHS.get(), ComplexType, 1374 CK_IntegralRealToComplex); 1375 return ComplexType; 1376 } 1377 1378 /// Return the rank of a given fixed point or integer type. The value itself 1379 /// doesn't matter, but the values must be increasing with proper increasing 1380 /// rank as described in N1169 4.1.1. 1381 static unsigned GetFixedPointRank(QualType Ty) { 1382 const auto *BTy = Ty->getAs<BuiltinType>(); 1383 assert(BTy && "Expected a builtin type."); 1384 1385 switch (BTy->getKind()) { 1386 case BuiltinType::ShortFract: 1387 case BuiltinType::UShortFract: 1388 case BuiltinType::SatShortFract: 1389 case BuiltinType::SatUShortFract: 1390 return 1; 1391 case BuiltinType::Fract: 1392 case BuiltinType::UFract: 1393 case BuiltinType::SatFract: 1394 case BuiltinType::SatUFract: 1395 return 2; 1396 case BuiltinType::LongFract: 1397 case BuiltinType::ULongFract: 1398 case BuiltinType::SatLongFract: 1399 case BuiltinType::SatULongFract: 1400 return 3; 1401 case BuiltinType::ShortAccum: 1402 case BuiltinType::UShortAccum: 1403 case BuiltinType::SatShortAccum: 1404 case BuiltinType::SatUShortAccum: 1405 return 4; 1406 case BuiltinType::Accum: 1407 case BuiltinType::UAccum: 1408 case BuiltinType::SatAccum: 1409 case BuiltinType::SatUAccum: 1410 return 5; 1411 case BuiltinType::LongAccum: 1412 case BuiltinType::ULongAccum: 1413 case BuiltinType::SatLongAccum: 1414 case BuiltinType::SatULongAccum: 1415 return 6; 1416 default: 1417 if (BTy->isInteger()) 1418 return 0; 1419 llvm_unreachable("Unexpected fixed point or integer type"); 1420 } 1421 } 1422 1423 /// handleFixedPointConversion - Fixed point operations between fixed 1424 /// point types and integers or other fixed point types do not fall under 1425 /// usual arithmetic conversion since these conversions could result in loss 1426 /// of precsision (N1169 4.1.4). These operations should be calculated with 1427 /// the full precision of their result type (N1169 4.1.6.2.1). 1428 static QualType handleFixedPointConversion(Sema &S, QualType LHSTy, 1429 QualType RHSTy) { 1430 assert((LHSTy->isFixedPointType() || RHSTy->isFixedPointType()) && 1431 "Expected at least one of the operands to be a fixed point type"); 1432 assert((LHSTy->isFixedPointOrIntegerType() || 1433 RHSTy->isFixedPointOrIntegerType()) && 1434 "Special fixed point arithmetic operation conversions are only " 1435 "applied to ints or other fixed point types"); 1436 1437 // If one operand has signed fixed-point type and the other operand has 1438 // unsigned fixed-point type, then the unsigned fixed-point operand is 1439 // converted to its corresponding signed fixed-point type and the resulting 1440 // type is the type of the converted operand. 1441 if (RHSTy->isSignedFixedPointType() && LHSTy->isUnsignedFixedPointType()) 1442 LHSTy = S.Context.getCorrespondingSignedFixedPointType(LHSTy); 1443 else if (RHSTy->isUnsignedFixedPointType() && LHSTy->isSignedFixedPointType()) 1444 RHSTy = S.Context.getCorrespondingSignedFixedPointType(RHSTy); 1445 1446 // The result type is the type with the highest rank, whereby a fixed-point 1447 // conversion rank is always greater than an integer conversion rank; if the 1448 // type of either of the operands is a saturating fixedpoint type, the result 1449 // type shall be the saturating fixed-point type corresponding to the type 1450 // with the highest rank; the resulting value is converted (taking into 1451 // account rounding and overflow) to the precision of the resulting type. 1452 // Same ranks between signed and unsigned types are resolved earlier, so both 1453 // types are either signed or both unsigned at this point. 1454 unsigned LHSTyRank = GetFixedPointRank(LHSTy); 1455 unsigned RHSTyRank = GetFixedPointRank(RHSTy); 1456 1457 QualType ResultTy = LHSTyRank > RHSTyRank ? LHSTy : RHSTy; 1458 1459 if (LHSTy->isSaturatedFixedPointType() || RHSTy->isSaturatedFixedPointType()) 1460 ResultTy = S.Context.getCorrespondingSaturatedType(ResultTy); 1461 1462 return ResultTy; 1463 } 1464 1465 /// Check that the usual arithmetic conversions can be performed on this pair of 1466 /// expressions that might be of enumeration type. 1467 static void checkEnumArithmeticConversions(Sema &S, Expr *LHS, Expr *RHS, 1468 SourceLocation Loc, 1469 Sema::ArithConvKind ACK) { 1470 // C++2a [expr.arith.conv]p1: 1471 // If one operand is of enumeration type and the other operand is of a 1472 // different enumeration type or a floating-point type, this behavior is 1473 // deprecated ([depr.arith.conv.enum]). 1474 // 1475 // Warn on this in all language modes. Produce a deprecation warning in C++20. 1476 // Eventually we will presumably reject these cases (in C++23 onwards?). 1477 QualType L = LHS->getType(), R = RHS->getType(); 1478 bool LEnum = L->isUnscopedEnumerationType(), 1479 REnum = R->isUnscopedEnumerationType(); 1480 bool IsCompAssign = ACK == Sema::ACK_CompAssign; 1481 if ((!IsCompAssign && LEnum && R->isFloatingType()) || 1482 (REnum && L->isFloatingType())) { 1483 S.Diag(Loc, S.getLangOpts().CPlusPlus20 1484 ? diag::warn_arith_conv_enum_float_cxx20 1485 : diag::warn_arith_conv_enum_float) 1486 << LHS->getSourceRange() << RHS->getSourceRange() 1487 << (int)ACK << LEnum << L << R; 1488 } else if (!IsCompAssign && LEnum && REnum && 1489 !S.Context.hasSameUnqualifiedType(L, R)) { 1490 unsigned DiagID; 1491 if (!L->castAs<EnumType>()->getDecl()->hasNameForLinkage() || 1492 !R->castAs<EnumType>()->getDecl()->hasNameForLinkage()) { 1493 // If either enumeration type is unnamed, it's less likely that the 1494 // user cares about this, but this situation is still deprecated in 1495 // C++2a. Use a different warning group. 1496 DiagID = S.getLangOpts().CPlusPlus20 1497 ? diag::warn_arith_conv_mixed_anon_enum_types_cxx20 1498 : diag::warn_arith_conv_mixed_anon_enum_types; 1499 } else if (ACK == Sema::ACK_Conditional) { 1500 // Conditional expressions are separated out because they have 1501 // historically had a different warning flag. 1502 DiagID = S.getLangOpts().CPlusPlus20 1503 ? diag::warn_conditional_mixed_enum_types_cxx20 1504 : diag::warn_conditional_mixed_enum_types; 1505 } else if (ACK == Sema::ACK_Comparison) { 1506 // Comparison expressions are separated out because they have 1507 // historically had a different warning flag. 1508 DiagID = S.getLangOpts().CPlusPlus20 1509 ? diag::warn_comparison_mixed_enum_types_cxx20 1510 : diag::warn_comparison_mixed_enum_types; 1511 } else { 1512 DiagID = S.getLangOpts().CPlusPlus20 1513 ? diag::warn_arith_conv_mixed_enum_types_cxx20 1514 : diag::warn_arith_conv_mixed_enum_types; 1515 } 1516 S.Diag(Loc, DiagID) << LHS->getSourceRange() << RHS->getSourceRange() 1517 << (int)ACK << L << R; 1518 } 1519 } 1520 1521 /// UsualArithmeticConversions - Performs various conversions that are common to 1522 /// binary operators (C99 6.3.1.8). If both operands aren't arithmetic, this 1523 /// routine returns the first non-arithmetic type found. The client is 1524 /// responsible for emitting appropriate error diagnostics. 1525 QualType Sema::UsualArithmeticConversions(ExprResult &LHS, ExprResult &RHS, 1526 SourceLocation Loc, 1527 ArithConvKind ACK) { 1528 checkEnumArithmeticConversions(*this, LHS.get(), RHS.get(), Loc, ACK); 1529 1530 if (ACK != ACK_CompAssign) { 1531 LHS = UsualUnaryConversions(LHS.get()); 1532 if (LHS.isInvalid()) 1533 return QualType(); 1534 } 1535 1536 RHS = UsualUnaryConversions(RHS.get()); 1537 if (RHS.isInvalid()) 1538 return QualType(); 1539 1540 // For conversion purposes, we ignore any qualifiers. 1541 // For example, "const float" and "float" are equivalent. 1542 QualType LHSType = 1543 Context.getCanonicalType(LHS.get()->getType()).getUnqualifiedType(); 1544 QualType RHSType = 1545 Context.getCanonicalType(RHS.get()->getType()).getUnqualifiedType(); 1546 1547 // For conversion purposes, we ignore any atomic qualifier on the LHS. 1548 if (const AtomicType *AtomicLHS = LHSType->getAs<AtomicType>()) 1549 LHSType = AtomicLHS->getValueType(); 1550 1551 // If both types are identical, no conversion is needed. 1552 if (LHSType == RHSType) 1553 return LHSType; 1554 1555 // If either side is a non-arithmetic type (e.g. a pointer), we are done. 1556 // The caller can deal with this (e.g. pointer + int). 1557 if (!LHSType->isArithmeticType() || !RHSType->isArithmeticType()) 1558 return QualType(); 1559 1560 // Apply unary and bitfield promotions to the LHS's type. 1561 QualType LHSUnpromotedType = LHSType; 1562 if (LHSType->isPromotableIntegerType()) 1563 LHSType = Context.getPromotedIntegerType(LHSType); 1564 QualType LHSBitfieldPromoteTy = Context.isPromotableBitField(LHS.get()); 1565 if (!LHSBitfieldPromoteTy.isNull()) 1566 LHSType = LHSBitfieldPromoteTy; 1567 if (LHSType != LHSUnpromotedType && ACK != ACK_CompAssign) 1568 LHS = ImpCastExprToType(LHS.get(), LHSType, CK_IntegralCast); 1569 1570 // If both types are identical, no conversion is needed. 1571 if (LHSType == RHSType) 1572 return LHSType; 1573 1574 // At this point, we have two different arithmetic types. 1575 1576 // Diagnose attempts to convert between __ibm128, __float128 and long double 1577 // where such conversions currently can't be handled. 1578 if (unsupportedTypeConversion(*this, LHSType, RHSType)) 1579 return QualType(); 1580 1581 // Handle complex types first (C99 6.3.1.8p1). 1582 if (LHSType->isComplexType() || RHSType->isComplexType()) 1583 return handleComplexFloatConversion(*this, LHS, RHS, LHSType, RHSType, 1584 ACK == ACK_CompAssign); 1585 1586 // Now handle "real" floating types (i.e. float, double, long double). 1587 if (LHSType->isRealFloatingType() || RHSType->isRealFloatingType()) 1588 return handleFloatConversion(*this, LHS, RHS, LHSType, RHSType, 1589 ACK == ACK_CompAssign); 1590 1591 // Handle GCC complex int extension. 1592 if (LHSType->isComplexIntegerType() || RHSType->isComplexIntegerType()) 1593 return handleComplexIntConversion(*this, LHS, RHS, LHSType, RHSType, 1594 ACK == ACK_CompAssign); 1595 1596 if (LHSType->isFixedPointType() || RHSType->isFixedPointType()) 1597 return handleFixedPointConversion(*this, LHSType, RHSType); 1598 1599 // Finally, we have two differing integer types. 1600 return handleIntegerConversion<doIntegralCast, doIntegralCast> 1601 (*this, LHS, RHS, LHSType, RHSType, ACK == ACK_CompAssign); 1602 } 1603 1604 //===----------------------------------------------------------------------===// 1605 // Semantic Analysis for various Expression Types 1606 //===----------------------------------------------------------------------===// 1607 1608 1609 ExprResult 1610 Sema::ActOnGenericSelectionExpr(SourceLocation KeyLoc, 1611 SourceLocation DefaultLoc, 1612 SourceLocation RParenLoc, 1613 Expr *ControllingExpr, 1614 ArrayRef<ParsedType> ArgTypes, 1615 ArrayRef<Expr *> ArgExprs) { 1616 unsigned NumAssocs = ArgTypes.size(); 1617 assert(NumAssocs == ArgExprs.size()); 1618 1619 TypeSourceInfo **Types = new TypeSourceInfo*[NumAssocs]; 1620 for (unsigned i = 0; i < NumAssocs; ++i) { 1621 if (ArgTypes[i]) 1622 (void) GetTypeFromParser(ArgTypes[i], &Types[i]); 1623 else 1624 Types[i] = nullptr; 1625 } 1626 1627 ExprResult ER = CreateGenericSelectionExpr(KeyLoc, DefaultLoc, RParenLoc, 1628 ControllingExpr, 1629 llvm::makeArrayRef(Types, NumAssocs), 1630 ArgExprs); 1631 delete [] Types; 1632 return ER; 1633 } 1634 1635 ExprResult 1636 Sema::CreateGenericSelectionExpr(SourceLocation KeyLoc, 1637 SourceLocation DefaultLoc, 1638 SourceLocation RParenLoc, 1639 Expr *ControllingExpr, 1640 ArrayRef<TypeSourceInfo *> Types, 1641 ArrayRef<Expr *> Exprs) { 1642 unsigned NumAssocs = Types.size(); 1643 assert(NumAssocs == Exprs.size()); 1644 1645 // Decay and strip qualifiers for the controlling expression type, and handle 1646 // placeholder type replacement. See committee discussion from WG14 DR423. 1647 { 1648 EnterExpressionEvaluationContext Unevaluated( 1649 *this, Sema::ExpressionEvaluationContext::Unevaluated); 1650 ExprResult R = DefaultFunctionArrayLvalueConversion(ControllingExpr); 1651 if (R.isInvalid()) 1652 return ExprError(); 1653 ControllingExpr = R.get(); 1654 } 1655 1656 bool TypeErrorFound = false, 1657 IsResultDependent = ControllingExpr->isTypeDependent(), 1658 ContainsUnexpandedParameterPack 1659 = ControllingExpr->containsUnexpandedParameterPack(); 1660 1661 // The controlling expression is an unevaluated operand, so side effects are 1662 // likely unintended. 1663 if (!inTemplateInstantiation() && !IsResultDependent && 1664 ControllingExpr->HasSideEffects(Context, false)) 1665 Diag(ControllingExpr->getExprLoc(), 1666 diag::warn_side_effects_unevaluated_context); 1667 1668 for (unsigned i = 0; i < NumAssocs; ++i) { 1669 if (Exprs[i]->containsUnexpandedParameterPack()) 1670 ContainsUnexpandedParameterPack = true; 1671 1672 if (Types[i]) { 1673 if (Types[i]->getType()->containsUnexpandedParameterPack()) 1674 ContainsUnexpandedParameterPack = true; 1675 1676 if (Types[i]->getType()->isDependentType()) { 1677 IsResultDependent = true; 1678 } else { 1679 // C11 6.5.1.1p2 "The type name in a generic association shall specify a 1680 // complete object type other than a variably modified type." 1681 unsigned D = 0; 1682 if (Types[i]->getType()->isIncompleteType()) 1683 D = diag::err_assoc_type_incomplete; 1684 else if (!Types[i]->getType()->isObjectType()) 1685 D = diag::err_assoc_type_nonobject; 1686 else if (Types[i]->getType()->isVariablyModifiedType()) 1687 D = diag::err_assoc_type_variably_modified; 1688 else { 1689 // Because the controlling expression undergoes lvalue conversion, 1690 // array conversion, and function conversion, an association which is 1691 // of array type, function type, or is qualified can never be 1692 // reached. We will warn about this so users are less surprised by 1693 // the unreachable association. However, we don't have to handle 1694 // function types; that's not an object type, so it's handled above. 1695 // 1696 // The logic is somewhat different for C++ because C++ has different 1697 // lvalue to rvalue conversion rules than C. [conv.lvalue]p1 says, 1698 // If T is a non-class type, the type of the prvalue is the cv- 1699 // unqualified version of T. Otherwise, the type of the prvalue is T. 1700 // The result of these rules is that all qualified types in an 1701 // association in C are unreachable, and in C++, only qualified non- 1702 // class types are unreachable. 1703 unsigned Reason = 0; 1704 QualType QT = Types[i]->getType(); 1705 if (QT->isArrayType()) 1706 Reason = 1; 1707 else if (QT.hasQualifiers() && 1708 (!LangOpts.CPlusPlus || !QT->isRecordType())) 1709 Reason = 2; 1710 1711 if (Reason) 1712 Diag(Types[i]->getTypeLoc().getBeginLoc(), 1713 diag::warn_unreachable_association) 1714 << QT << (Reason - 1); 1715 } 1716 1717 if (D != 0) { 1718 Diag(Types[i]->getTypeLoc().getBeginLoc(), D) 1719 << Types[i]->getTypeLoc().getSourceRange() 1720 << Types[i]->getType(); 1721 TypeErrorFound = true; 1722 } 1723 1724 // C11 6.5.1.1p2 "No two generic associations in the same generic 1725 // selection shall specify compatible types." 1726 for (unsigned j = i+1; j < NumAssocs; ++j) 1727 if (Types[j] && !Types[j]->getType()->isDependentType() && 1728 Context.typesAreCompatible(Types[i]->getType(), 1729 Types[j]->getType())) { 1730 Diag(Types[j]->getTypeLoc().getBeginLoc(), 1731 diag::err_assoc_compatible_types) 1732 << Types[j]->getTypeLoc().getSourceRange() 1733 << Types[j]->getType() 1734 << Types[i]->getType(); 1735 Diag(Types[i]->getTypeLoc().getBeginLoc(), 1736 diag::note_compat_assoc) 1737 << Types[i]->getTypeLoc().getSourceRange() 1738 << Types[i]->getType(); 1739 TypeErrorFound = true; 1740 } 1741 } 1742 } 1743 } 1744 if (TypeErrorFound) 1745 return ExprError(); 1746 1747 // If we determined that the generic selection is result-dependent, don't 1748 // try to compute the result expression. 1749 if (IsResultDependent) 1750 return GenericSelectionExpr::Create(Context, KeyLoc, ControllingExpr, Types, 1751 Exprs, DefaultLoc, RParenLoc, 1752 ContainsUnexpandedParameterPack); 1753 1754 SmallVector<unsigned, 1> CompatIndices; 1755 unsigned DefaultIndex = -1U; 1756 // Look at the canonical type of the controlling expression in case it was a 1757 // deduced type like __auto_type. However, when issuing diagnostics, use the 1758 // type the user wrote in source rather than the canonical one. 1759 for (unsigned i = 0; i < NumAssocs; ++i) { 1760 if (!Types[i]) 1761 DefaultIndex = i; 1762 else if (Context.typesAreCompatible( 1763 ControllingExpr->getType().getCanonicalType(), 1764 Types[i]->getType())) 1765 CompatIndices.push_back(i); 1766 } 1767 1768 // C11 6.5.1.1p2 "The controlling expression of a generic selection shall have 1769 // type compatible with at most one of the types named in its generic 1770 // association list." 1771 if (CompatIndices.size() > 1) { 1772 // We strip parens here because the controlling expression is typically 1773 // parenthesized in macro definitions. 1774 ControllingExpr = ControllingExpr->IgnoreParens(); 1775 Diag(ControllingExpr->getBeginLoc(), diag::err_generic_sel_multi_match) 1776 << ControllingExpr->getSourceRange() << ControllingExpr->getType() 1777 << (unsigned)CompatIndices.size(); 1778 for (unsigned I : CompatIndices) { 1779 Diag(Types[I]->getTypeLoc().getBeginLoc(), 1780 diag::note_compat_assoc) 1781 << Types[I]->getTypeLoc().getSourceRange() 1782 << Types[I]->getType(); 1783 } 1784 return ExprError(); 1785 } 1786 1787 // C11 6.5.1.1p2 "If a generic selection has no default generic association, 1788 // its controlling expression shall have type compatible with exactly one of 1789 // the types named in its generic association list." 1790 if (DefaultIndex == -1U && CompatIndices.size() == 0) { 1791 // We strip parens here because the controlling expression is typically 1792 // parenthesized in macro definitions. 1793 ControllingExpr = ControllingExpr->IgnoreParens(); 1794 Diag(ControllingExpr->getBeginLoc(), diag::err_generic_sel_no_match) 1795 << ControllingExpr->getSourceRange() << ControllingExpr->getType(); 1796 return ExprError(); 1797 } 1798 1799 // C11 6.5.1.1p3 "If a generic selection has a generic association with a 1800 // type name that is compatible with the type of the controlling expression, 1801 // then the result expression of the generic selection is the expression 1802 // in that generic association. Otherwise, the result expression of the 1803 // generic selection is the expression in the default generic association." 1804 unsigned ResultIndex = 1805 CompatIndices.size() ? CompatIndices[0] : DefaultIndex; 1806 1807 return GenericSelectionExpr::Create( 1808 Context, KeyLoc, ControllingExpr, Types, Exprs, DefaultLoc, RParenLoc, 1809 ContainsUnexpandedParameterPack, ResultIndex); 1810 } 1811 1812 /// getUDSuffixLoc - Create a SourceLocation for a ud-suffix, given the 1813 /// location of the token and the offset of the ud-suffix within it. 1814 static SourceLocation getUDSuffixLoc(Sema &S, SourceLocation TokLoc, 1815 unsigned Offset) { 1816 return Lexer::AdvanceToTokenCharacter(TokLoc, Offset, S.getSourceManager(), 1817 S.getLangOpts()); 1818 } 1819 1820 /// BuildCookedLiteralOperatorCall - A user-defined literal was found. Look up 1821 /// the corresponding cooked (non-raw) literal operator, and build a call to it. 1822 static ExprResult BuildCookedLiteralOperatorCall(Sema &S, Scope *Scope, 1823 IdentifierInfo *UDSuffix, 1824 SourceLocation UDSuffixLoc, 1825 ArrayRef<Expr*> Args, 1826 SourceLocation LitEndLoc) { 1827 assert(Args.size() <= 2 && "too many arguments for literal operator"); 1828 1829 QualType ArgTy[2]; 1830 for (unsigned ArgIdx = 0; ArgIdx != Args.size(); ++ArgIdx) { 1831 ArgTy[ArgIdx] = Args[ArgIdx]->getType(); 1832 if (ArgTy[ArgIdx]->isArrayType()) 1833 ArgTy[ArgIdx] = S.Context.getArrayDecayedType(ArgTy[ArgIdx]); 1834 } 1835 1836 DeclarationName OpName = 1837 S.Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix); 1838 DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc); 1839 OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc); 1840 1841 LookupResult R(S, OpName, UDSuffixLoc, Sema::LookupOrdinaryName); 1842 if (S.LookupLiteralOperator(Scope, R, llvm::makeArrayRef(ArgTy, Args.size()), 1843 /*AllowRaw*/ false, /*AllowTemplate*/ false, 1844 /*AllowStringTemplatePack*/ false, 1845 /*DiagnoseMissing*/ true) == Sema::LOLR_Error) 1846 return ExprError(); 1847 1848 return S.BuildLiteralOperatorCall(R, OpNameInfo, Args, LitEndLoc); 1849 } 1850 1851 /// ActOnStringLiteral - The specified tokens were lexed as pasted string 1852 /// fragments (e.g. "foo" "bar" L"baz"). The result string has to handle string 1853 /// concatenation ([C99 5.1.1.2, translation phase #6]), so it may come from 1854 /// multiple tokens. However, the common case is that StringToks points to one 1855 /// string. 1856 /// 1857 ExprResult 1858 Sema::ActOnStringLiteral(ArrayRef<Token> StringToks, Scope *UDLScope) { 1859 assert(!StringToks.empty() && "Must have at least one string!"); 1860 1861 StringLiteralParser Literal(StringToks, PP); 1862 if (Literal.hadError) 1863 return ExprError(); 1864 1865 SmallVector<SourceLocation, 4> StringTokLocs; 1866 for (const Token &Tok : StringToks) 1867 StringTokLocs.push_back(Tok.getLocation()); 1868 1869 QualType CharTy = Context.CharTy; 1870 StringLiteral::StringKind Kind = StringLiteral::Ascii; 1871 if (Literal.isWide()) { 1872 CharTy = Context.getWideCharType(); 1873 Kind = StringLiteral::Wide; 1874 } else if (Literal.isUTF8()) { 1875 if (getLangOpts().Char8) 1876 CharTy = Context.Char8Ty; 1877 Kind = StringLiteral::UTF8; 1878 } else if (Literal.isUTF16()) { 1879 CharTy = Context.Char16Ty; 1880 Kind = StringLiteral::UTF16; 1881 } else if (Literal.isUTF32()) { 1882 CharTy = Context.Char32Ty; 1883 Kind = StringLiteral::UTF32; 1884 } else if (Literal.isPascal()) { 1885 CharTy = Context.UnsignedCharTy; 1886 } 1887 1888 // Warn on initializing an array of char from a u8 string literal; this 1889 // becomes ill-formed in C++2a. 1890 if (getLangOpts().CPlusPlus && !getLangOpts().CPlusPlus20 && 1891 !getLangOpts().Char8 && Kind == StringLiteral::UTF8) { 1892 Diag(StringTokLocs.front(), diag::warn_cxx20_compat_utf8_string); 1893 1894 // Create removals for all 'u8' prefixes in the string literal(s). This 1895 // ensures C++2a compatibility (but may change the program behavior when 1896 // built by non-Clang compilers for which the execution character set is 1897 // not always UTF-8). 1898 auto RemovalDiag = PDiag(diag::note_cxx20_compat_utf8_string_remove_u8); 1899 SourceLocation RemovalDiagLoc; 1900 for (const Token &Tok : StringToks) { 1901 if (Tok.getKind() == tok::utf8_string_literal) { 1902 if (RemovalDiagLoc.isInvalid()) 1903 RemovalDiagLoc = Tok.getLocation(); 1904 RemovalDiag << FixItHint::CreateRemoval(CharSourceRange::getCharRange( 1905 Tok.getLocation(), 1906 Lexer::AdvanceToTokenCharacter(Tok.getLocation(), 2, 1907 getSourceManager(), getLangOpts()))); 1908 } 1909 } 1910 Diag(RemovalDiagLoc, RemovalDiag); 1911 } 1912 1913 QualType StrTy = 1914 Context.getStringLiteralArrayType(CharTy, Literal.GetNumStringChars()); 1915 1916 // Pass &StringTokLocs[0], StringTokLocs.size() to factory! 1917 StringLiteral *Lit = StringLiteral::Create(Context, Literal.GetString(), 1918 Kind, Literal.Pascal, StrTy, 1919 &StringTokLocs[0], 1920 StringTokLocs.size()); 1921 if (Literal.getUDSuffix().empty()) 1922 return Lit; 1923 1924 // We're building a user-defined literal. 1925 IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix()); 1926 SourceLocation UDSuffixLoc = 1927 getUDSuffixLoc(*this, StringTokLocs[Literal.getUDSuffixToken()], 1928 Literal.getUDSuffixOffset()); 1929 1930 // Make sure we're allowed user-defined literals here. 1931 if (!UDLScope) 1932 return ExprError(Diag(UDSuffixLoc, diag::err_invalid_string_udl)); 1933 1934 // C++11 [lex.ext]p5: The literal L is treated as a call of the form 1935 // operator "" X (str, len) 1936 QualType SizeType = Context.getSizeType(); 1937 1938 DeclarationName OpName = 1939 Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix); 1940 DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc); 1941 OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc); 1942 1943 QualType ArgTy[] = { 1944 Context.getArrayDecayedType(StrTy), SizeType 1945 }; 1946 1947 LookupResult R(*this, OpName, UDSuffixLoc, LookupOrdinaryName); 1948 switch (LookupLiteralOperator(UDLScope, R, ArgTy, 1949 /*AllowRaw*/ false, /*AllowTemplate*/ true, 1950 /*AllowStringTemplatePack*/ true, 1951 /*DiagnoseMissing*/ true, Lit)) { 1952 1953 case LOLR_Cooked: { 1954 llvm::APInt Len(Context.getIntWidth(SizeType), Literal.GetNumStringChars()); 1955 IntegerLiteral *LenArg = IntegerLiteral::Create(Context, Len, SizeType, 1956 StringTokLocs[0]); 1957 Expr *Args[] = { Lit, LenArg }; 1958 1959 return BuildLiteralOperatorCall(R, OpNameInfo, Args, StringTokLocs.back()); 1960 } 1961 1962 case LOLR_Template: { 1963 TemplateArgumentListInfo ExplicitArgs; 1964 TemplateArgument Arg(Lit); 1965 TemplateArgumentLocInfo ArgInfo(Lit); 1966 ExplicitArgs.addArgument(TemplateArgumentLoc(Arg, ArgInfo)); 1967 return BuildLiteralOperatorCall(R, OpNameInfo, None, StringTokLocs.back(), 1968 &ExplicitArgs); 1969 } 1970 1971 case LOLR_StringTemplatePack: { 1972 TemplateArgumentListInfo ExplicitArgs; 1973 1974 unsigned CharBits = Context.getIntWidth(CharTy); 1975 bool CharIsUnsigned = CharTy->isUnsignedIntegerType(); 1976 llvm::APSInt Value(CharBits, CharIsUnsigned); 1977 1978 TemplateArgument TypeArg(CharTy); 1979 TemplateArgumentLocInfo TypeArgInfo(Context.getTrivialTypeSourceInfo(CharTy)); 1980 ExplicitArgs.addArgument(TemplateArgumentLoc(TypeArg, TypeArgInfo)); 1981 1982 for (unsigned I = 0, N = Lit->getLength(); I != N; ++I) { 1983 Value = Lit->getCodeUnit(I); 1984 TemplateArgument Arg(Context, Value, CharTy); 1985 TemplateArgumentLocInfo ArgInfo; 1986 ExplicitArgs.addArgument(TemplateArgumentLoc(Arg, ArgInfo)); 1987 } 1988 return BuildLiteralOperatorCall(R, OpNameInfo, None, StringTokLocs.back(), 1989 &ExplicitArgs); 1990 } 1991 case LOLR_Raw: 1992 case LOLR_ErrorNoDiagnostic: 1993 llvm_unreachable("unexpected literal operator lookup result"); 1994 case LOLR_Error: 1995 return ExprError(); 1996 } 1997 llvm_unreachable("unexpected literal operator lookup result"); 1998 } 1999 2000 DeclRefExpr * 2001 Sema::BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK, 2002 SourceLocation Loc, 2003 const CXXScopeSpec *SS) { 2004 DeclarationNameInfo NameInfo(D->getDeclName(), Loc); 2005 return BuildDeclRefExpr(D, Ty, VK, NameInfo, SS); 2006 } 2007 2008 DeclRefExpr * 2009 Sema::BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK, 2010 const DeclarationNameInfo &NameInfo, 2011 const CXXScopeSpec *SS, NamedDecl *FoundD, 2012 SourceLocation TemplateKWLoc, 2013 const TemplateArgumentListInfo *TemplateArgs) { 2014 NestedNameSpecifierLoc NNS = 2015 SS ? SS->getWithLocInContext(Context) : NestedNameSpecifierLoc(); 2016 return BuildDeclRefExpr(D, Ty, VK, NameInfo, NNS, FoundD, TemplateKWLoc, 2017 TemplateArgs); 2018 } 2019 2020 // CUDA/HIP: Check whether a captured reference variable is referencing a 2021 // host variable in a device or host device lambda. 2022 static bool isCapturingReferenceToHostVarInCUDADeviceLambda(const Sema &S, 2023 VarDecl *VD) { 2024 if (!S.getLangOpts().CUDA || !VD->hasInit()) 2025 return false; 2026 assert(VD->getType()->isReferenceType()); 2027 2028 // Check whether the reference variable is referencing a host variable. 2029 auto *DRE = dyn_cast<DeclRefExpr>(VD->getInit()); 2030 if (!DRE) 2031 return false; 2032 auto *Referee = dyn_cast<VarDecl>(DRE->getDecl()); 2033 if (!Referee || !Referee->hasGlobalStorage() || 2034 Referee->hasAttr<CUDADeviceAttr>()) 2035 return false; 2036 2037 // Check whether the current function is a device or host device lambda. 2038 // Check whether the reference variable is a capture by getDeclContext() 2039 // since refersToEnclosingVariableOrCapture() is not ready at this point. 2040 auto *MD = dyn_cast_or_null<CXXMethodDecl>(S.CurContext); 2041 if (MD && MD->getParent()->isLambda() && 2042 MD->getOverloadedOperator() == OO_Call && MD->hasAttr<CUDADeviceAttr>() && 2043 VD->getDeclContext() != MD) 2044 return true; 2045 2046 return false; 2047 } 2048 2049 NonOdrUseReason Sema::getNonOdrUseReasonInCurrentContext(ValueDecl *D) { 2050 // A declaration named in an unevaluated operand never constitutes an odr-use. 2051 if (isUnevaluatedContext()) 2052 return NOUR_Unevaluated; 2053 2054 // C++2a [basic.def.odr]p4: 2055 // A variable x whose name appears as a potentially-evaluated expression e 2056 // is odr-used by e unless [...] x is a reference that is usable in 2057 // constant expressions. 2058 // CUDA/HIP: 2059 // If a reference variable referencing a host variable is captured in a 2060 // device or host device lambda, the value of the referee must be copied 2061 // to the capture and the reference variable must be treated as odr-use 2062 // since the value of the referee is not known at compile time and must 2063 // be loaded from the captured. 2064 if (VarDecl *VD = dyn_cast<VarDecl>(D)) { 2065 if (VD->getType()->isReferenceType() && 2066 !(getLangOpts().OpenMP && isOpenMPCapturedDecl(D)) && 2067 !isCapturingReferenceToHostVarInCUDADeviceLambda(*this, VD) && 2068 VD->isUsableInConstantExpressions(Context)) 2069 return NOUR_Constant; 2070 } 2071 2072 // All remaining non-variable cases constitute an odr-use. For variables, we 2073 // need to wait and see how the expression is used. 2074 return NOUR_None; 2075 } 2076 2077 /// BuildDeclRefExpr - Build an expression that references a 2078 /// declaration that does not require a closure capture. 2079 DeclRefExpr * 2080 Sema::BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK, 2081 const DeclarationNameInfo &NameInfo, 2082 NestedNameSpecifierLoc NNS, NamedDecl *FoundD, 2083 SourceLocation TemplateKWLoc, 2084 const TemplateArgumentListInfo *TemplateArgs) { 2085 bool RefersToCapturedVariable = 2086 isa<VarDecl>(D) && 2087 NeedToCaptureVariable(cast<VarDecl>(D), NameInfo.getLoc()); 2088 2089 DeclRefExpr *E = DeclRefExpr::Create( 2090 Context, NNS, TemplateKWLoc, D, RefersToCapturedVariable, NameInfo, Ty, 2091 VK, FoundD, TemplateArgs, getNonOdrUseReasonInCurrentContext(D)); 2092 MarkDeclRefReferenced(E); 2093 2094 // C++ [except.spec]p17: 2095 // An exception-specification is considered to be needed when: 2096 // - in an expression, the function is the unique lookup result or 2097 // the selected member of a set of overloaded functions. 2098 // 2099 // We delay doing this until after we've built the function reference and 2100 // marked it as used so that: 2101 // a) if the function is defaulted, we get errors from defining it before / 2102 // instead of errors from computing its exception specification, and 2103 // b) if the function is a defaulted comparison, we can use the body we 2104 // build when defining it as input to the exception specification 2105 // computation rather than computing a new body. 2106 if (auto *FPT = Ty->getAs<FunctionProtoType>()) { 2107 if (isUnresolvedExceptionSpec(FPT->getExceptionSpecType())) { 2108 if (auto *NewFPT = ResolveExceptionSpec(NameInfo.getLoc(), FPT)) 2109 E->setType(Context.getQualifiedType(NewFPT, Ty.getQualifiers())); 2110 } 2111 } 2112 2113 if (getLangOpts().ObjCWeak && isa<VarDecl>(D) && 2114 Ty.getObjCLifetime() == Qualifiers::OCL_Weak && !isUnevaluatedContext() && 2115 !Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, E->getBeginLoc())) 2116 getCurFunction()->recordUseOfWeak(E); 2117 2118 FieldDecl *FD = dyn_cast<FieldDecl>(D); 2119 if (IndirectFieldDecl *IFD = dyn_cast<IndirectFieldDecl>(D)) 2120 FD = IFD->getAnonField(); 2121 if (FD) { 2122 UnusedPrivateFields.remove(FD); 2123 // Just in case we're building an illegal pointer-to-member. 2124 if (FD->isBitField()) 2125 E->setObjectKind(OK_BitField); 2126 } 2127 2128 // C++ [expr.prim]/8: The expression [...] is a bit-field if the identifier 2129 // designates a bit-field. 2130 if (auto *BD = dyn_cast<BindingDecl>(D)) 2131 if (auto *BE = BD->getBinding()) 2132 E->setObjectKind(BE->getObjectKind()); 2133 2134 return E; 2135 } 2136 2137 /// Decomposes the given name into a DeclarationNameInfo, its location, and 2138 /// possibly a list of template arguments. 2139 /// 2140 /// If this produces template arguments, it is permitted to call 2141 /// DecomposeTemplateName. 2142 /// 2143 /// This actually loses a lot of source location information for 2144 /// non-standard name kinds; we should consider preserving that in 2145 /// some way. 2146 void 2147 Sema::DecomposeUnqualifiedId(const UnqualifiedId &Id, 2148 TemplateArgumentListInfo &Buffer, 2149 DeclarationNameInfo &NameInfo, 2150 const TemplateArgumentListInfo *&TemplateArgs) { 2151 if (Id.getKind() == UnqualifiedIdKind::IK_TemplateId) { 2152 Buffer.setLAngleLoc(Id.TemplateId->LAngleLoc); 2153 Buffer.setRAngleLoc(Id.TemplateId->RAngleLoc); 2154 2155 ASTTemplateArgsPtr TemplateArgsPtr(Id.TemplateId->getTemplateArgs(), 2156 Id.TemplateId->NumArgs); 2157 translateTemplateArguments(TemplateArgsPtr, Buffer); 2158 2159 TemplateName TName = Id.TemplateId->Template.get(); 2160 SourceLocation TNameLoc = Id.TemplateId->TemplateNameLoc; 2161 NameInfo = Context.getNameForTemplate(TName, TNameLoc); 2162 TemplateArgs = &Buffer; 2163 } else { 2164 NameInfo = GetNameFromUnqualifiedId(Id); 2165 TemplateArgs = nullptr; 2166 } 2167 } 2168 2169 static void emitEmptyLookupTypoDiagnostic( 2170 const TypoCorrection &TC, Sema &SemaRef, const CXXScopeSpec &SS, 2171 DeclarationName Typo, SourceLocation TypoLoc, ArrayRef<Expr *> Args, 2172 unsigned DiagnosticID, unsigned DiagnosticSuggestID) { 2173 DeclContext *Ctx = 2174 SS.isEmpty() ? nullptr : SemaRef.computeDeclContext(SS, false); 2175 if (!TC) { 2176 // Emit a special diagnostic for failed member lookups. 2177 // FIXME: computing the declaration context might fail here (?) 2178 if (Ctx) 2179 SemaRef.Diag(TypoLoc, diag::err_no_member) << Typo << Ctx 2180 << SS.getRange(); 2181 else 2182 SemaRef.Diag(TypoLoc, DiagnosticID) << Typo; 2183 return; 2184 } 2185 2186 std::string CorrectedStr = TC.getAsString(SemaRef.getLangOpts()); 2187 bool DroppedSpecifier = 2188 TC.WillReplaceSpecifier() && Typo.getAsString() == CorrectedStr; 2189 unsigned NoteID = TC.getCorrectionDeclAs<ImplicitParamDecl>() 2190 ? diag::note_implicit_param_decl 2191 : diag::note_previous_decl; 2192 if (!Ctx) 2193 SemaRef.diagnoseTypo(TC, SemaRef.PDiag(DiagnosticSuggestID) << Typo, 2194 SemaRef.PDiag(NoteID)); 2195 else 2196 SemaRef.diagnoseTypo(TC, SemaRef.PDiag(diag::err_no_member_suggest) 2197 << Typo << Ctx << DroppedSpecifier 2198 << SS.getRange(), 2199 SemaRef.PDiag(NoteID)); 2200 } 2201 2202 /// Diagnose a lookup that found results in an enclosing class during error 2203 /// recovery. This usually indicates that the results were found in a dependent 2204 /// base class that could not be searched as part of a template definition. 2205 /// Always issues a diagnostic (though this may be only a warning in MS 2206 /// compatibility mode). 2207 /// 2208 /// Return \c true if the error is unrecoverable, or \c false if the caller 2209 /// should attempt to recover using these lookup results. 2210 bool Sema::DiagnoseDependentMemberLookup(LookupResult &R) { 2211 // During a default argument instantiation the CurContext points 2212 // to a CXXMethodDecl; but we can't apply a this-> fixit inside a 2213 // function parameter list, hence add an explicit check. 2214 bool isDefaultArgument = 2215 !CodeSynthesisContexts.empty() && 2216 CodeSynthesisContexts.back().Kind == 2217 CodeSynthesisContext::DefaultFunctionArgumentInstantiation; 2218 CXXMethodDecl *CurMethod = dyn_cast<CXXMethodDecl>(CurContext); 2219 bool isInstance = CurMethod && CurMethod->isInstance() && 2220 R.getNamingClass() == CurMethod->getParent() && 2221 !isDefaultArgument; 2222 2223 // There are two ways we can find a class-scope declaration during template 2224 // instantiation that we did not find in the template definition: if it is a 2225 // member of a dependent base class, or if it is declared after the point of 2226 // use in the same class. Distinguish these by comparing the class in which 2227 // the member was found to the naming class of the lookup. 2228 unsigned DiagID = diag::err_found_in_dependent_base; 2229 unsigned NoteID = diag::note_member_declared_at; 2230 if (R.getRepresentativeDecl()->getDeclContext()->Equals(R.getNamingClass())) { 2231 DiagID = getLangOpts().MSVCCompat ? diag::ext_found_later_in_class 2232 : diag::err_found_later_in_class; 2233 } else if (getLangOpts().MSVCCompat) { 2234 DiagID = diag::ext_found_in_dependent_base; 2235 NoteID = diag::note_dependent_member_use; 2236 } 2237 2238 if (isInstance) { 2239 // Give a code modification hint to insert 'this->'. 2240 Diag(R.getNameLoc(), DiagID) 2241 << R.getLookupName() 2242 << FixItHint::CreateInsertion(R.getNameLoc(), "this->"); 2243 CheckCXXThisCapture(R.getNameLoc()); 2244 } else { 2245 // FIXME: Add a FixItHint to insert 'Base::' or 'Derived::' (assuming 2246 // they're not shadowed). 2247 Diag(R.getNameLoc(), DiagID) << R.getLookupName(); 2248 } 2249 2250 for (NamedDecl *D : R) 2251 Diag(D->getLocation(), NoteID); 2252 2253 // Return true if we are inside a default argument instantiation 2254 // and the found name refers to an instance member function, otherwise 2255 // the caller will try to create an implicit member call and this is wrong 2256 // for default arguments. 2257 // 2258 // FIXME: Is this special case necessary? We could allow the caller to 2259 // diagnose this. 2260 if (isDefaultArgument && ((*R.begin())->isCXXInstanceMember())) { 2261 Diag(R.getNameLoc(), diag::err_member_call_without_object); 2262 return true; 2263 } 2264 2265 // Tell the callee to try to recover. 2266 return false; 2267 } 2268 2269 /// Diagnose an empty lookup. 2270 /// 2271 /// \return false if new lookup candidates were found 2272 bool Sema::DiagnoseEmptyLookup(Scope *S, CXXScopeSpec &SS, LookupResult &R, 2273 CorrectionCandidateCallback &CCC, 2274 TemplateArgumentListInfo *ExplicitTemplateArgs, 2275 ArrayRef<Expr *> Args, TypoExpr **Out) { 2276 DeclarationName Name = R.getLookupName(); 2277 2278 unsigned diagnostic = diag::err_undeclared_var_use; 2279 unsigned diagnostic_suggest = diag::err_undeclared_var_use_suggest; 2280 if (Name.getNameKind() == DeclarationName::CXXOperatorName || 2281 Name.getNameKind() == DeclarationName::CXXLiteralOperatorName || 2282 Name.getNameKind() == DeclarationName::CXXConversionFunctionName) { 2283 diagnostic = diag::err_undeclared_use; 2284 diagnostic_suggest = diag::err_undeclared_use_suggest; 2285 } 2286 2287 // If the original lookup was an unqualified lookup, fake an 2288 // unqualified lookup. This is useful when (for example) the 2289 // original lookup would not have found something because it was a 2290 // dependent name. 2291 DeclContext *DC = SS.isEmpty() ? CurContext : nullptr; 2292 while (DC) { 2293 if (isa<CXXRecordDecl>(DC)) { 2294 LookupQualifiedName(R, DC); 2295 2296 if (!R.empty()) { 2297 // Don't give errors about ambiguities in this lookup. 2298 R.suppressDiagnostics(); 2299 2300 // If there's a best viable function among the results, only mention 2301 // that one in the notes. 2302 OverloadCandidateSet Candidates(R.getNameLoc(), 2303 OverloadCandidateSet::CSK_Normal); 2304 AddOverloadedCallCandidates(R, ExplicitTemplateArgs, Args, Candidates); 2305 OverloadCandidateSet::iterator Best; 2306 if (Candidates.BestViableFunction(*this, R.getNameLoc(), Best) == 2307 OR_Success) { 2308 R.clear(); 2309 R.addDecl(Best->FoundDecl.getDecl(), Best->FoundDecl.getAccess()); 2310 R.resolveKind(); 2311 } 2312 2313 return DiagnoseDependentMemberLookup(R); 2314 } 2315 2316 R.clear(); 2317 } 2318 2319 DC = DC->getLookupParent(); 2320 } 2321 2322 // We didn't find anything, so try to correct for a typo. 2323 TypoCorrection Corrected; 2324 if (S && Out) { 2325 SourceLocation TypoLoc = R.getNameLoc(); 2326 assert(!ExplicitTemplateArgs && 2327 "Diagnosing an empty lookup with explicit template args!"); 2328 *Out = CorrectTypoDelayed( 2329 R.getLookupNameInfo(), R.getLookupKind(), S, &SS, CCC, 2330 [=](const TypoCorrection &TC) { 2331 emitEmptyLookupTypoDiagnostic(TC, *this, SS, Name, TypoLoc, Args, 2332 diagnostic, diagnostic_suggest); 2333 }, 2334 nullptr, CTK_ErrorRecovery); 2335 if (*Out) 2336 return true; 2337 } else if (S && 2338 (Corrected = CorrectTypo(R.getLookupNameInfo(), R.getLookupKind(), 2339 S, &SS, CCC, CTK_ErrorRecovery))) { 2340 std::string CorrectedStr(Corrected.getAsString(getLangOpts())); 2341 bool DroppedSpecifier = 2342 Corrected.WillReplaceSpecifier() && Name.getAsString() == CorrectedStr; 2343 R.setLookupName(Corrected.getCorrection()); 2344 2345 bool AcceptableWithRecovery = false; 2346 bool AcceptableWithoutRecovery = false; 2347 NamedDecl *ND = Corrected.getFoundDecl(); 2348 if (ND) { 2349 if (Corrected.isOverloaded()) { 2350 OverloadCandidateSet OCS(R.getNameLoc(), 2351 OverloadCandidateSet::CSK_Normal); 2352 OverloadCandidateSet::iterator Best; 2353 for (NamedDecl *CD : Corrected) { 2354 if (FunctionTemplateDecl *FTD = 2355 dyn_cast<FunctionTemplateDecl>(CD)) 2356 AddTemplateOverloadCandidate( 2357 FTD, DeclAccessPair::make(FTD, AS_none), ExplicitTemplateArgs, 2358 Args, OCS); 2359 else if (FunctionDecl *FD = dyn_cast<FunctionDecl>(CD)) 2360 if (!ExplicitTemplateArgs || ExplicitTemplateArgs->size() == 0) 2361 AddOverloadCandidate(FD, DeclAccessPair::make(FD, AS_none), 2362 Args, OCS); 2363 } 2364 switch (OCS.BestViableFunction(*this, R.getNameLoc(), Best)) { 2365 case OR_Success: 2366 ND = Best->FoundDecl; 2367 Corrected.setCorrectionDecl(ND); 2368 break; 2369 default: 2370 // FIXME: Arbitrarily pick the first declaration for the note. 2371 Corrected.setCorrectionDecl(ND); 2372 break; 2373 } 2374 } 2375 R.addDecl(ND); 2376 if (getLangOpts().CPlusPlus && ND->isCXXClassMember()) { 2377 CXXRecordDecl *Record = nullptr; 2378 if (Corrected.getCorrectionSpecifier()) { 2379 const Type *Ty = Corrected.getCorrectionSpecifier()->getAsType(); 2380 Record = Ty->getAsCXXRecordDecl(); 2381 } 2382 if (!Record) 2383 Record = cast<CXXRecordDecl>( 2384 ND->getDeclContext()->getRedeclContext()); 2385 R.setNamingClass(Record); 2386 } 2387 2388 auto *UnderlyingND = ND->getUnderlyingDecl(); 2389 AcceptableWithRecovery = isa<ValueDecl>(UnderlyingND) || 2390 isa<FunctionTemplateDecl>(UnderlyingND); 2391 // FIXME: If we ended up with a typo for a type name or 2392 // Objective-C class name, we're in trouble because the parser 2393 // is in the wrong place to recover. Suggest the typo 2394 // correction, but don't make it a fix-it since we're not going 2395 // to recover well anyway. 2396 AcceptableWithoutRecovery = isa<TypeDecl>(UnderlyingND) || 2397 getAsTypeTemplateDecl(UnderlyingND) || 2398 isa<ObjCInterfaceDecl>(UnderlyingND); 2399 } else { 2400 // FIXME: We found a keyword. Suggest it, but don't provide a fix-it 2401 // because we aren't able to recover. 2402 AcceptableWithoutRecovery = true; 2403 } 2404 2405 if (AcceptableWithRecovery || AcceptableWithoutRecovery) { 2406 unsigned NoteID = Corrected.getCorrectionDeclAs<ImplicitParamDecl>() 2407 ? diag::note_implicit_param_decl 2408 : diag::note_previous_decl; 2409 if (SS.isEmpty()) 2410 diagnoseTypo(Corrected, PDiag(diagnostic_suggest) << Name, 2411 PDiag(NoteID), AcceptableWithRecovery); 2412 else 2413 diagnoseTypo(Corrected, PDiag(diag::err_no_member_suggest) 2414 << Name << computeDeclContext(SS, false) 2415 << DroppedSpecifier << SS.getRange(), 2416 PDiag(NoteID), AcceptableWithRecovery); 2417 2418 // Tell the callee whether to try to recover. 2419 return !AcceptableWithRecovery; 2420 } 2421 } 2422 R.clear(); 2423 2424 // Emit a special diagnostic for failed member lookups. 2425 // FIXME: computing the declaration context might fail here (?) 2426 if (!SS.isEmpty()) { 2427 Diag(R.getNameLoc(), diag::err_no_member) 2428 << Name << computeDeclContext(SS, false) 2429 << SS.getRange(); 2430 return true; 2431 } 2432 2433 // Give up, we can't recover. 2434 Diag(R.getNameLoc(), diagnostic) << Name; 2435 return true; 2436 } 2437 2438 /// In Microsoft mode, if we are inside a template class whose parent class has 2439 /// dependent base classes, and we can't resolve an unqualified identifier, then 2440 /// assume the identifier is a member of a dependent base class. We can only 2441 /// recover successfully in static methods, instance methods, and other contexts 2442 /// where 'this' is available. This doesn't precisely match MSVC's 2443 /// instantiation model, but it's close enough. 2444 static Expr * 2445 recoverFromMSUnqualifiedLookup(Sema &S, ASTContext &Context, 2446 DeclarationNameInfo &NameInfo, 2447 SourceLocation TemplateKWLoc, 2448 const TemplateArgumentListInfo *TemplateArgs) { 2449 // Only try to recover from lookup into dependent bases in static methods or 2450 // contexts where 'this' is available. 2451 QualType ThisType = S.getCurrentThisType(); 2452 const CXXRecordDecl *RD = nullptr; 2453 if (!ThisType.isNull()) 2454 RD = ThisType->getPointeeType()->getAsCXXRecordDecl(); 2455 else if (auto *MD = dyn_cast<CXXMethodDecl>(S.CurContext)) 2456 RD = MD->getParent(); 2457 if (!RD || !RD->hasAnyDependentBases()) 2458 return nullptr; 2459 2460 // Diagnose this as unqualified lookup into a dependent base class. If 'this' 2461 // is available, suggest inserting 'this->' as a fixit. 2462 SourceLocation Loc = NameInfo.getLoc(); 2463 auto DB = S.Diag(Loc, diag::ext_undeclared_unqual_id_with_dependent_base); 2464 DB << NameInfo.getName() << RD; 2465 2466 if (!ThisType.isNull()) { 2467 DB << FixItHint::CreateInsertion(Loc, "this->"); 2468 return CXXDependentScopeMemberExpr::Create( 2469 Context, /*This=*/nullptr, ThisType, /*IsArrow=*/true, 2470 /*Op=*/SourceLocation(), NestedNameSpecifierLoc(), TemplateKWLoc, 2471 /*FirstQualifierFoundInScope=*/nullptr, NameInfo, TemplateArgs); 2472 } 2473 2474 // Synthesize a fake NNS that points to the derived class. This will 2475 // perform name lookup during template instantiation. 2476 CXXScopeSpec SS; 2477 auto *NNS = 2478 NestedNameSpecifier::Create(Context, nullptr, true, RD->getTypeForDecl()); 2479 SS.MakeTrivial(Context, NNS, SourceRange(Loc, Loc)); 2480 return DependentScopeDeclRefExpr::Create( 2481 Context, SS.getWithLocInContext(Context), TemplateKWLoc, NameInfo, 2482 TemplateArgs); 2483 } 2484 2485 ExprResult 2486 Sema::ActOnIdExpression(Scope *S, CXXScopeSpec &SS, 2487 SourceLocation TemplateKWLoc, UnqualifiedId &Id, 2488 bool HasTrailingLParen, bool IsAddressOfOperand, 2489 CorrectionCandidateCallback *CCC, 2490 bool IsInlineAsmIdentifier, Token *KeywordReplacement) { 2491 assert(!(IsAddressOfOperand && HasTrailingLParen) && 2492 "cannot be direct & operand and have a trailing lparen"); 2493 if (SS.isInvalid()) 2494 return ExprError(); 2495 2496 TemplateArgumentListInfo TemplateArgsBuffer; 2497 2498 // Decompose the UnqualifiedId into the following data. 2499 DeclarationNameInfo NameInfo; 2500 const TemplateArgumentListInfo *TemplateArgs; 2501 DecomposeUnqualifiedId(Id, TemplateArgsBuffer, NameInfo, TemplateArgs); 2502 2503 DeclarationName Name = NameInfo.getName(); 2504 IdentifierInfo *II = Name.getAsIdentifierInfo(); 2505 SourceLocation NameLoc = NameInfo.getLoc(); 2506 2507 if (II && II->isEditorPlaceholder()) { 2508 // FIXME: When typed placeholders are supported we can create a typed 2509 // placeholder expression node. 2510 return ExprError(); 2511 } 2512 2513 // C++ [temp.dep.expr]p3: 2514 // An id-expression is type-dependent if it contains: 2515 // -- an identifier that was declared with a dependent type, 2516 // (note: handled after lookup) 2517 // -- a template-id that is dependent, 2518 // (note: handled in BuildTemplateIdExpr) 2519 // -- a conversion-function-id that specifies a dependent type, 2520 // -- a nested-name-specifier that contains a class-name that 2521 // names a dependent type. 2522 // Determine whether this is a member of an unknown specialization; 2523 // we need to handle these differently. 2524 bool DependentID = false; 2525 if (Name.getNameKind() == DeclarationName::CXXConversionFunctionName && 2526 Name.getCXXNameType()->isDependentType()) { 2527 DependentID = true; 2528 } else if (SS.isSet()) { 2529 if (DeclContext *DC = computeDeclContext(SS, false)) { 2530 if (RequireCompleteDeclContext(SS, DC)) 2531 return ExprError(); 2532 } else { 2533 DependentID = true; 2534 } 2535 } 2536 2537 if (DependentID) 2538 return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo, 2539 IsAddressOfOperand, TemplateArgs); 2540 2541 // Perform the required lookup. 2542 LookupResult R(*this, NameInfo, 2543 (Id.getKind() == UnqualifiedIdKind::IK_ImplicitSelfParam) 2544 ? LookupObjCImplicitSelfParam 2545 : LookupOrdinaryName); 2546 if (TemplateKWLoc.isValid() || TemplateArgs) { 2547 // Lookup the template name again to correctly establish the context in 2548 // which it was found. This is really unfortunate as we already did the 2549 // lookup to determine that it was a template name in the first place. If 2550 // this becomes a performance hit, we can work harder to preserve those 2551 // results until we get here but it's likely not worth it. 2552 bool MemberOfUnknownSpecialization; 2553 AssumedTemplateKind AssumedTemplate; 2554 if (LookupTemplateName(R, S, SS, QualType(), /*EnteringContext=*/false, 2555 MemberOfUnknownSpecialization, TemplateKWLoc, 2556 &AssumedTemplate)) 2557 return ExprError(); 2558 2559 if (MemberOfUnknownSpecialization || 2560 (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation)) 2561 return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo, 2562 IsAddressOfOperand, TemplateArgs); 2563 } else { 2564 bool IvarLookupFollowUp = II && !SS.isSet() && getCurMethodDecl(); 2565 LookupParsedName(R, S, &SS, !IvarLookupFollowUp); 2566 2567 // If the result might be in a dependent base class, this is a dependent 2568 // id-expression. 2569 if (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation) 2570 return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo, 2571 IsAddressOfOperand, TemplateArgs); 2572 2573 // If this reference is in an Objective-C method, then we need to do 2574 // some special Objective-C lookup, too. 2575 if (IvarLookupFollowUp) { 2576 ExprResult E(LookupInObjCMethod(R, S, II, true)); 2577 if (E.isInvalid()) 2578 return ExprError(); 2579 2580 if (Expr *Ex = E.getAs<Expr>()) 2581 return Ex; 2582 } 2583 } 2584 2585 if (R.isAmbiguous()) 2586 return ExprError(); 2587 2588 // This could be an implicitly declared function reference if the language 2589 // mode allows it as a feature. 2590 if (R.empty() && HasTrailingLParen && II && 2591 getLangOpts().implicitFunctionsAllowed()) { 2592 NamedDecl *D = ImplicitlyDefineFunction(NameLoc, *II, S); 2593 if (D) R.addDecl(D); 2594 } 2595 2596 // Determine whether this name might be a candidate for 2597 // argument-dependent lookup. 2598 bool ADL = UseArgumentDependentLookup(SS, R, HasTrailingLParen); 2599 2600 if (R.empty() && !ADL) { 2601 if (SS.isEmpty() && getLangOpts().MSVCCompat) { 2602 if (Expr *E = recoverFromMSUnqualifiedLookup(*this, Context, NameInfo, 2603 TemplateKWLoc, TemplateArgs)) 2604 return E; 2605 } 2606 2607 // Don't diagnose an empty lookup for inline assembly. 2608 if (IsInlineAsmIdentifier) 2609 return ExprError(); 2610 2611 // If this name wasn't predeclared and if this is not a function 2612 // call, diagnose the problem. 2613 TypoExpr *TE = nullptr; 2614 DefaultFilterCCC DefaultValidator(II, SS.isValid() ? SS.getScopeRep() 2615 : nullptr); 2616 DefaultValidator.IsAddressOfOperand = IsAddressOfOperand; 2617 assert((!CCC || CCC->IsAddressOfOperand == IsAddressOfOperand) && 2618 "Typo correction callback misconfigured"); 2619 if (CCC) { 2620 // Make sure the callback knows what the typo being diagnosed is. 2621 CCC->setTypoName(II); 2622 if (SS.isValid()) 2623 CCC->setTypoNNS(SS.getScopeRep()); 2624 } 2625 // FIXME: DiagnoseEmptyLookup produces bad diagnostics if we're looking for 2626 // a template name, but we happen to have always already looked up the name 2627 // before we get here if it must be a template name. 2628 if (DiagnoseEmptyLookup(S, SS, R, CCC ? *CCC : DefaultValidator, nullptr, 2629 None, &TE)) { 2630 if (TE && KeywordReplacement) { 2631 auto &State = getTypoExprState(TE); 2632 auto BestTC = State.Consumer->getNextCorrection(); 2633 if (BestTC.isKeyword()) { 2634 auto *II = BestTC.getCorrectionAsIdentifierInfo(); 2635 if (State.DiagHandler) 2636 State.DiagHandler(BestTC); 2637 KeywordReplacement->startToken(); 2638 KeywordReplacement->setKind(II->getTokenID()); 2639 KeywordReplacement->setIdentifierInfo(II); 2640 KeywordReplacement->setLocation(BestTC.getCorrectionRange().getBegin()); 2641 // Clean up the state associated with the TypoExpr, since it has 2642 // now been diagnosed (without a call to CorrectDelayedTyposInExpr). 2643 clearDelayedTypo(TE); 2644 // Signal that a correction to a keyword was performed by returning a 2645 // valid-but-null ExprResult. 2646 return (Expr*)nullptr; 2647 } 2648 State.Consumer->resetCorrectionStream(); 2649 } 2650 return TE ? TE : ExprError(); 2651 } 2652 2653 assert(!R.empty() && 2654 "DiagnoseEmptyLookup returned false but added no results"); 2655 2656 // If we found an Objective-C instance variable, let 2657 // LookupInObjCMethod build the appropriate expression to 2658 // reference the ivar. 2659 if (ObjCIvarDecl *Ivar = R.getAsSingle<ObjCIvarDecl>()) { 2660 R.clear(); 2661 ExprResult E(LookupInObjCMethod(R, S, Ivar->getIdentifier())); 2662 // In a hopelessly buggy code, Objective-C instance variable 2663 // lookup fails and no expression will be built to reference it. 2664 if (!E.isInvalid() && !E.get()) 2665 return ExprError(); 2666 return E; 2667 } 2668 } 2669 2670 // This is guaranteed from this point on. 2671 assert(!R.empty() || ADL); 2672 2673 // Check whether this might be a C++ implicit instance member access. 2674 // C++ [class.mfct.non-static]p3: 2675 // When an id-expression that is not part of a class member access 2676 // syntax and not used to form a pointer to member is used in the 2677 // body of a non-static member function of class X, if name lookup 2678 // resolves the name in the id-expression to a non-static non-type 2679 // member of some class C, the id-expression is transformed into a 2680 // class member access expression using (*this) as the 2681 // postfix-expression to the left of the . operator. 2682 // 2683 // But we don't actually need to do this for '&' operands if R 2684 // resolved to a function or overloaded function set, because the 2685 // expression is ill-formed if it actually works out to be a 2686 // non-static member function: 2687 // 2688 // C++ [expr.ref]p4: 2689 // Otherwise, if E1.E2 refers to a non-static member function. . . 2690 // [t]he expression can be used only as the left-hand operand of a 2691 // member function call. 2692 // 2693 // There are other safeguards against such uses, but it's important 2694 // to get this right here so that we don't end up making a 2695 // spuriously dependent expression if we're inside a dependent 2696 // instance method. 2697 if (!R.empty() && (*R.begin())->isCXXClassMember()) { 2698 bool MightBeImplicitMember; 2699 if (!IsAddressOfOperand) 2700 MightBeImplicitMember = true; 2701 else if (!SS.isEmpty()) 2702 MightBeImplicitMember = false; 2703 else if (R.isOverloadedResult()) 2704 MightBeImplicitMember = false; 2705 else if (R.isUnresolvableResult()) 2706 MightBeImplicitMember = true; 2707 else 2708 MightBeImplicitMember = isa<FieldDecl>(R.getFoundDecl()) || 2709 isa<IndirectFieldDecl>(R.getFoundDecl()) || 2710 isa<MSPropertyDecl>(R.getFoundDecl()); 2711 2712 if (MightBeImplicitMember) 2713 return BuildPossibleImplicitMemberExpr(SS, TemplateKWLoc, 2714 R, TemplateArgs, S); 2715 } 2716 2717 if (TemplateArgs || TemplateKWLoc.isValid()) { 2718 2719 // In C++1y, if this is a variable template id, then check it 2720 // in BuildTemplateIdExpr(). 2721 // The single lookup result must be a variable template declaration. 2722 if (Id.getKind() == UnqualifiedIdKind::IK_TemplateId && Id.TemplateId && 2723 Id.TemplateId->Kind == TNK_Var_template) { 2724 assert(R.getAsSingle<VarTemplateDecl>() && 2725 "There should only be one declaration found."); 2726 } 2727 2728 return BuildTemplateIdExpr(SS, TemplateKWLoc, R, ADL, TemplateArgs); 2729 } 2730 2731 return BuildDeclarationNameExpr(SS, R, ADL); 2732 } 2733 2734 /// BuildQualifiedDeclarationNameExpr - Build a C++ qualified 2735 /// declaration name, generally during template instantiation. 2736 /// There's a large number of things which don't need to be done along 2737 /// this path. 2738 ExprResult Sema::BuildQualifiedDeclarationNameExpr( 2739 CXXScopeSpec &SS, const DeclarationNameInfo &NameInfo, 2740 bool IsAddressOfOperand, const Scope *S, TypeSourceInfo **RecoveryTSI) { 2741 DeclContext *DC = computeDeclContext(SS, false); 2742 if (!DC) 2743 return BuildDependentDeclRefExpr(SS, /*TemplateKWLoc=*/SourceLocation(), 2744 NameInfo, /*TemplateArgs=*/nullptr); 2745 2746 if (RequireCompleteDeclContext(SS, DC)) 2747 return ExprError(); 2748 2749 LookupResult R(*this, NameInfo, LookupOrdinaryName); 2750 LookupQualifiedName(R, DC); 2751 2752 if (R.isAmbiguous()) 2753 return ExprError(); 2754 2755 if (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation) 2756 return BuildDependentDeclRefExpr(SS, /*TemplateKWLoc=*/SourceLocation(), 2757 NameInfo, /*TemplateArgs=*/nullptr); 2758 2759 if (R.empty()) { 2760 // Don't diagnose problems with invalid record decl, the secondary no_member 2761 // diagnostic during template instantiation is likely bogus, e.g. if a class 2762 // is invalid because it's derived from an invalid base class, then missing 2763 // members were likely supposed to be inherited. 2764 if (const auto *CD = dyn_cast<CXXRecordDecl>(DC)) 2765 if (CD->isInvalidDecl()) 2766 return ExprError(); 2767 Diag(NameInfo.getLoc(), diag::err_no_member) 2768 << NameInfo.getName() << DC << SS.getRange(); 2769 return ExprError(); 2770 } 2771 2772 if (const TypeDecl *TD = R.getAsSingle<TypeDecl>()) { 2773 // Diagnose a missing typename if this resolved unambiguously to a type in 2774 // a dependent context. If we can recover with a type, downgrade this to 2775 // a warning in Microsoft compatibility mode. 2776 unsigned DiagID = diag::err_typename_missing; 2777 if (RecoveryTSI && getLangOpts().MSVCCompat) 2778 DiagID = diag::ext_typename_missing; 2779 SourceLocation Loc = SS.getBeginLoc(); 2780 auto D = Diag(Loc, DiagID); 2781 D << SS.getScopeRep() << NameInfo.getName().getAsString() 2782 << SourceRange(Loc, NameInfo.getEndLoc()); 2783 2784 // Don't recover if the caller isn't expecting us to or if we're in a SFINAE 2785 // context. 2786 if (!RecoveryTSI) 2787 return ExprError(); 2788 2789 // Only issue the fixit if we're prepared to recover. 2790 D << FixItHint::CreateInsertion(Loc, "typename "); 2791 2792 // Recover by pretending this was an elaborated type. 2793 QualType Ty = Context.getTypeDeclType(TD); 2794 TypeLocBuilder TLB; 2795 TLB.pushTypeSpec(Ty).setNameLoc(NameInfo.getLoc()); 2796 2797 QualType ET = getElaboratedType(ETK_None, SS, Ty); 2798 ElaboratedTypeLoc QTL = TLB.push<ElaboratedTypeLoc>(ET); 2799 QTL.setElaboratedKeywordLoc(SourceLocation()); 2800 QTL.setQualifierLoc(SS.getWithLocInContext(Context)); 2801 2802 *RecoveryTSI = TLB.getTypeSourceInfo(Context, ET); 2803 2804 return ExprEmpty(); 2805 } 2806 2807 // Defend against this resolving to an implicit member access. We usually 2808 // won't get here if this might be a legitimate a class member (we end up in 2809 // BuildMemberReferenceExpr instead), but this can be valid if we're forming 2810 // a pointer-to-member or in an unevaluated context in C++11. 2811 if (!R.empty() && (*R.begin())->isCXXClassMember() && !IsAddressOfOperand) 2812 return BuildPossibleImplicitMemberExpr(SS, 2813 /*TemplateKWLoc=*/SourceLocation(), 2814 R, /*TemplateArgs=*/nullptr, S); 2815 2816 return BuildDeclarationNameExpr(SS, R, /* ADL */ false); 2817 } 2818 2819 /// The parser has read a name in, and Sema has detected that we're currently 2820 /// inside an ObjC method. Perform some additional checks and determine if we 2821 /// should form a reference to an ivar. 2822 /// 2823 /// Ideally, most of this would be done by lookup, but there's 2824 /// actually quite a lot of extra work involved. 2825 DeclResult Sema::LookupIvarInObjCMethod(LookupResult &Lookup, Scope *S, 2826 IdentifierInfo *II) { 2827 SourceLocation Loc = Lookup.getNameLoc(); 2828 ObjCMethodDecl *CurMethod = getCurMethodDecl(); 2829 2830 // Check for error condition which is already reported. 2831 if (!CurMethod) 2832 return DeclResult(true); 2833 2834 // There are two cases to handle here. 1) scoped lookup could have failed, 2835 // in which case we should look for an ivar. 2) scoped lookup could have 2836 // found a decl, but that decl is outside the current instance method (i.e. 2837 // a global variable). In these two cases, we do a lookup for an ivar with 2838 // this name, if the lookup sucedes, we replace it our current decl. 2839 2840 // If we're in a class method, we don't normally want to look for 2841 // ivars. But if we don't find anything else, and there's an 2842 // ivar, that's an error. 2843 bool IsClassMethod = CurMethod->isClassMethod(); 2844 2845 bool LookForIvars; 2846 if (Lookup.empty()) 2847 LookForIvars = true; 2848 else if (IsClassMethod) 2849 LookForIvars = false; 2850 else 2851 LookForIvars = (Lookup.isSingleResult() && 2852 Lookup.getFoundDecl()->isDefinedOutsideFunctionOrMethod()); 2853 ObjCInterfaceDecl *IFace = nullptr; 2854 if (LookForIvars) { 2855 IFace = CurMethod->getClassInterface(); 2856 ObjCInterfaceDecl *ClassDeclared; 2857 ObjCIvarDecl *IV = nullptr; 2858 if (IFace && (IV = IFace->lookupInstanceVariable(II, ClassDeclared))) { 2859 // Diagnose using an ivar in a class method. 2860 if (IsClassMethod) { 2861 Diag(Loc, diag::err_ivar_use_in_class_method) << IV->getDeclName(); 2862 return DeclResult(true); 2863 } 2864 2865 // Diagnose the use of an ivar outside of the declaring class. 2866 if (IV->getAccessControl() == ObjCIvarDecl::Private && 2867 !declaresSameEntity(ClassDeclared, IFace) && 2868 !getLangOpts().DebuggerSupport) 2869 Diag(Loc, diag::err_private_ivar_access) << IV->getDeclName(); 2870 2871 // Success. 2872 return IV; 2873 } 2874 } else if (CurMethod->isInstanceMethod()) { 2875 // We should warn if a local variable hides an ivar. 2876 if (ObjCInterfaceDecl *IFace = CurMethod->getClassInterface()) { 2877 ObjCInterfaceDecl *ClassDeclared; 2878 if (ObjCIvarDecl *IV = IFace->lookupInstanceVariable(II, ClassDeclared)) { 2879 if (IV->getAccessControl() != ObjCIvarDecl::Private || 2880 declaresSameEntity(IFace, ClassDeclared)) 2881 Diag(Loc, diag::warn_ivar_use_hidden) << IV->getDeclName(); 2882 } 2883 } 2884 } else if (Lookup.isSingleResult() && 2885 Lookup.getFoundDecl()->isDefinedOutsideFunctionOrMethod()) { 2886 // If accessing a stand-alone ivar in a class method, this is an error. 2887 if (const ObjCIvarDecl *IV = 2888 dyn_cast<ObjCIvarDecl>(Lookup.getFoundDecl())) { 2889 Diag(Loc, diag::err_ivar_use_in_class_method) << IV->getDeclName(); 2890 return DeclResult(true); 2891 } 2892 } 2893 2894 // Didn't encounter an error, didn't find an ivar. 2895 return DeclResult(false); 2896 } 2897 2898 ExprResult Sema::BuildIvarRefExpr(Scope *S, SourceLocation Loc, 2899 ObjCIvarDecl *IV) { 2900 ObjCMethodDecl *CurMethod = getCurMethodDecl(); 2901 assert(CurMethod && CurMethod->isInstanceMethod() && 2902 "should not reference ivar from this context"); 2903 2904 ObjCInterfaceDecl *IFace = CurMethod->getClassInterface(); 2905 assert(IFace && "should not reference ivar from this context"); 2906 2907 // If we're referencing an invalid decl, just return this as a silent 2908 // error node. The error diagnostic was already emitted on the decl. 2909 if (IV->isInvalidDecl()) 2910 return ExprError(); 2911 2912 // Check if referencing a field with __attribute__((deprecated)). 2913 if (DiagnoseUseOfDecl(IV, Loc)) 2914 return ExprError(); 2915 2916 // FIXME: This should use a new expr for a direct reference, don't 2917 // turn this into Self->ivar, just return a BareIVarExpr or something. 2918 IdentifierInfo &II = Context.Idents.get("self"); 2919 UnqualifiedId SelfName; 2920 SelfName.setImplicitSelfParam(&II); 2921 CXXScopeSpec SelfScopeSpec; 2922 SourceLocation TemplateKWLoc; 2923 ExprResult SelfExpr = 2924 ActOnIdExpression(S, SelfScopeSpec, TemplateKWLoc, SelfName, 2925 /*HasTrailingLParen=*/false, 2926 /*IsAddressOfOperand=*/false); 2927 if (SelfExpr.isInvalid()) 2928 return ExprError(); 2929 2930 SelfExpr = DefaultLvalueConversion(SelfExpr.get()); 2931 if (SelfExpr.isInvalid()) 2932 return ExprError(); 2933 2934 MarkAnyDeclReferenced(Loc, IV, true); 2935 2936 ObjCMethodFamily MF = CurMethod->getMethodFamily(); 2937 if (MF != OMF_init && MF != OMF_dealloc && MF != OMF_finalize && 2938 !IvarBacksCurrentMethodAccessor(IFace, CurMethod, IV)) 2939 Diag(Loc, diag::warn_direct_ivar_access) << IV->getDeclName(); 2940 2941 ObjCIvarRefExpr *Result = new (Context) 2942 ObjCIvarRefExpr(IV, IV->getUsageType(SelfExpr.get()->getType()), Loc, 2943 IV->getLocation(), SelfExpr.get(), true, true); 2944 2945 if (IV->getType().getObjCLifetime() == Qualifiers::OCL_Weak) { 2946 if (!isUnevaluatedContext() && 2947 !Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, Loc)) 2948 getCurFunction()->recordUseOfWeak(Result); 2949 } 2950 if (getLangOpts().ObjCAutoRefCount) 2951 if (const BlockDecl *BD = CurContext->getInnermostBlockDecl()) 2952 ImplicitlyRetainedSelfLocs.push_back({Loc, BD}); 2953 2954 return Result; 2955 } 2956 2957 /// The parser has read a name in, and Sema has detected that we're currently 2958 /// inside an ObjC method. Perform some additional checks and determine if we 2959 /// should form a reference to an ivar. If so, build an expression referencing 2960 /// that ivar. 2961 ExprResult 2962 Sema::LookupInObjCMethod(LookupResult &Lookup, Scope *S, 2963 IdentifierInfo *II, bool AllowBuiltinCreation) { 2964 // FIXME: Integrate this lookup step into LookupParsedName. 2965 DeclResult Ivar = LookupIvarInObjCMethod(Lookup, S, II); 2966 if (Ivar.isInvalid()) 2967 return ExprError(); 2968 if (Ivar.isUsable()) 2969 return BuildIvarRefExpr(S, Lookup.getNameLoc(), 2970 cast<ObjCIvarDecl>(Ivar.get())); 2971 2972 if (Lookup.empty() && II && AllowBuiltinCreation) 2973 LookupBuiltin(Lookup); 2974 2975 // Sentinel value saying that we didn't do anything special. 2976 return ExprResult(false); 2977 } 2978 2979 /// Cast a base object to a member's actual type. 2980 /// 2981 /// There are two relevant checks: 2982 /// 2983 /// C++ [class.access.base]p7: 2984 /// 2985 /// If a class member access operator [...] is used to access a non-static 2986 /// data member or non-static member function, the reference is ill-formed if 2987 /// the left operand [...] cannot be implicitly converted to a pointer to the 2988 /// naming class of the right operand. 2989 /// 2990 /// C++ [expr.ref]p7: 2991 /// 2992 /// If E2 is a non-static data member or a non-static member function, the 2993 /// program is ill-formed if the class of which E2 is directly a member is an 2994 /// ambiguous base (11.8) of the naming class (11.9.3) of E2. 2995 /// 2996 /// Note that the latter check does not consider access; the access of the 2997 /// "real" base class is checked as appropriate when checking the access of the 2998 /// member name. 2999 ExprResult 3000 Sema::PerformObjectMemberConversion(Expr *From, 3001 NestedNameSpecifier *Qualifier, 3002 NamedDecl *FoundDecl, 3003 NamedDecl *Member) { 3004 CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(Member->getDeclContext()); 3005 if (!RD) 3006 return From; 3007 3008 QualType DestRecordType; 3009 QualType DestType; 3010 QualType FromRecordType; 3011 QualType FromType = From->getType(); 3012 bool PointerConversions = false; 3013 if (isa<FieldDecl>(Member)) { 3014 DestRecordType = Context.getCanonicalType(Context.getTypeDeclType(RD)); 3015 auto FromPtrType = FromType->getAs<PointerType>(); 3016 DestRecordType = Context.getAddrSpaceQualType( 3017 DestRecordType, FromPtrType 3018 ? FromType->getPointeeType().getAddressSpace() 3019 : FromType.getAddressSpace()); 3020 3021 if (FromPtrType) { 3022 DestType = Context.getPointerType(DestRecordType); 3023 FromRecordType = FromPtrType->getPointeeType(); 3024 PointerConversions = true; 3025 } else { 3026 DestType = DestRecordType; 3027 FromRecordType = FromType; 3028 } 3029 } else if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(Member)) { 3030 if (Method->isStatic()) 3031 return From; 3032 3033 DestType = Method->getThisType(); 3034 DestRecordType = DestType->getPointeeType(); 3035 3036 if (FromType->getAs<PointerType>()) { 3037 FromRecordType = FromType->getPointeeType(); 3038 PointerConversions = true; 3039 } else { 3040 FromRecordType = FromType; 3041 DestType = DestRecordType; 3042 } 3043 3044 LangAS FromAS = FromRecordType.getAddressSpace(); 3045 LangAS DestAS = DestRecordType.getAddressSpace(); 3046 if (FromAS != DestAS) { 3047 QualType FromRecordTypeWithoutAS = 3048 Context.removeAddrSpaceQualType(FromRecordType); 3049 QualType FromTypeWithDestAS = 3050 Context.getAddrSpaceQualType(FromRecordTypeWithoutAS, DestAS); 3051 if (PointerConversions) 3052 FromTypeWithDestAS = Context.getPointerType(FromTypeWithDestAS); 3053 From = ImpCastExprToType(From, FromTypeWithDestAS, 3054 CK_AddressSpaceConversion, From->getValueKind()) 3055 .get(); 3056 } 3057 } else { 3058 // No conversion necessary. 3059 return From; 3060 } 3061 3062 if (DestType->isDependentType() || FromType->isDependentType()) 3063 return From; 3064 3065 // If the unqualified types are the same, no conversion is necessary. 3066 if (Context.hasSameUnqualifiedType(FromRecordType, DestRecordType)) 3067 return From; 3068 3069 SourceRange FromRange = From->getSourceRange(); 3070 SourceLocation FromLoc = FromRange.getBegin(); 3071 3072 ExprValueKind VK = From->getValueKind(); 3073 3074 // C++ [class.member.lookup]p8: 3075 // [...] Ambiguities can often be resolved by qualifying a name with its 3076 // class name. 3077 // 3078 // If the member was a qualified name and the qualified referred to a 3079 // specific base subobject type, we'll cast to that intermediate type 3080 // first and then to the object in which the member is declared. That allows 3081 // one to resolve ambiguities in, e.g., a diamond-shaped hierarchy such as: 3082 // 3083 // class Base { public: int x; }; 3084 // class Derived1 : public Base { }; 3085 // class Derived2 : public Base { }; 3086 // class VeryDerived : public Derived1, public Derived2 { void f(); }; 3087 // 3088 // void VeryDerived::f() { 3089 // x = 17; // error: ambiguous base subobjects 3090 // Derived1::x = 17; // okay, pick the Base subobject of Derived1 3091 // } 3092 if (Qualifier && Qualifier->getAsType()) { 3093 QualType QType = QualType(Qualifier->getAsType(), 0); 3094 assert(QType->isRecordType() && "lookup done with non-record type"); 3095 3096 QualType QRecordType = QualType(QType->castAs<RecordType>(), 0); 3097 3098 // In C++98, the qualifier type doesn't actually have to be a base 3099 // type of the object type, in which case we just ignore it. 3100 // Otherwise build the appropriate casts. 3101 if (IsDerivedFrom(FromLoc, FromRecordType, QRecordType)) { 3102 CXXCastPath BasePath; 3103 if (CheckDerivedToBaseConversion(FromRecordType, QRecordType, 3104 FromLoc, FromRange, &BasePath)) 3105 return ExprError(); 3106 3107 if (PointerConversions) 3108 QType = Context.getPointerType(QType); 3109 From = ImpCastExprToType(From, QType, CK_UncheckedDerivedToBase, 3110 VK, &BasePath).get(); 3111 3112 FromType = QType; 3113 FromRecordType = QRecordType; 3114 3115 // If the qualifier type was the same as the destination type, 3116 // we're done. 3117 if (Context.hasSameUnqualifiedType(FromRecordType, DestRecordType)) 3118 return From; 3119 } 3120 } 3121 3122 CXXCastPath BasePath; 3123 if (CheckDerivedToBaseConversion(FromRecordType, DestRecordType, 3124 FromLoc, FromRange, &BasePath, 3125 /*IgnoreAccess=*/true)) 3126 return ExprError(); 3127 3128 return ImpCastExprToType(From, DestType, CK_UncheckedDerivedToBase, 3129 VK, &BasePath); 3130 } 3131 3132 bool Sema::UseArgumentDependentLookup(const CXXScopeSpec &SS, 3133 const LookupResult &R, 3134 bool HasTrailingLParen) { 3135 // Only when used directly as the postfix-expression of a call. 3136 if (!HasTrailingLParen) 3137 return false; 3138 3139 // Never if a scope specifier was provided. 3140 if (SS.isSet()) 3141 return false; 3142 3143 // Only in C++ or ObjC++. 3144 if (!getLangOpts().CPlusPlus) 3145 return false; 3146 3147 // Turn off ADL when we find certain kinds of declarations during 3148 // normal lookup: 3149 for (NamedDecl *D : R) { 3150 // C++0x [basic.lookup.argdep]p3: 3151 // -- a declaration of a class member 3152 // Since using decls preserve this property, we check this on the 3153 // original decl. 3154 if (D->isCXXClassMember()) 3155 return false; 3156 3157 // C++0x [basic.lookup.argdep]p3: 3158 // -- a block-scope function declaration that is not a 3159 // using-declaration 3160 // NOTE: we also trigger this for function templates (in fact, we 3161 // don't check the decl type at all, since all other decl types 3162 // turn off ADL anyway). 3163 if (isa<UsingShadowDecl>(D)) 3164 D = cast<UsingShadowDecl>(D)->getTargetDecl(); 3165 else if (D->getLexicalDeclContext()->isFunctionOrMethod()) 3166 return false; 3167 3168 // C++0x [basic.lookup.argdep]p3: 3169 // -- a declaration that is neither a function or a function 3170 // template 3171 // And also for builtin functions. 3172 if (isa<FunctionDecl>(D)) { 3173 FunctionDecl *FDecl = cast<FunctionDecl>(D); 3174 3175 // But also builtin functions. 3176 if (FDecl->getBuiltinID() && FDecl->isImplicit()) 3177 return false; 3178 } else if (!isa<FunctionTemplateDecl>(D)) 3179 return false; 3180 } 3181 3182 return true; 3183 } 3184 3185 3186 /// Diagnoses obvious problems with the use of the given declaration 3187 /// as an expression. This is only actually called for lookups that 3188 /// were not overloaded, and it doesn't promise that the declaration 3189 /// will in fact be used. 3190 static bool CheckDeclInExpr(Sema &S, SourceLocation Loc, NamedDecl *D) { 3191 if (D->isInvalidDecl()) 3192 return true; 3193 3194 if (isa<TypedefNameDecl>(D)) { 3195 S.Diag(Loc, diag::err_unexpected_typedef) << D->getDeclName(); 3196 return true; 3197 } 3198 3199 if (isa<ObjCInterfaceDecl>(D)) { 3200 S.Diag(Loc, diag::err_unexpected_interface) << D->getDeclName(); 3201 return true; 3202 } 3203 3204 if (isa<NamespaceDecl>(D)) { 3205 S.Diag(Loc, diag::err_unexpected_namespace) << D->getDeclName(); 3206 return true; 3207 } 3208 3209 return false; 3210 } 3211 3212 // Certain multiversion types should be treated as overloaded even when there is 3213 // only one result. 3214 static bool ShouldLookupResultBeMultiVersionOverload(const LookupResult &R) { 3215 assert(R.isSingleResult() && "Expected only a single result"); 3216 const auto *FD = dyn_cast<FunctionDecl>(R.getFoundDecl()); 3217 return FD && 3218 (FD->isCPUDispatchMultiVersion() || FD->isCPUSpecificMultiVersion()); 3219 } 3220 3221 ExprResult Sema::BuildDeclarationNameExpr(const CXXScopeSpec &SS, 3222 LookupResult &R, bool NeedsADL, 3223 bool AcceptInvalidDecl) { 3224 // If this is a single, fully-resolved result and we don't need ADL, 3225 // just build an ordinary singleton decl ref. 3226 if (!NeedsADL && R.isSingleResult() && 3227 !R.getAsSingle<FunctionTemplateDecl>() && 3228 !ShouldLookupResultBeMultiVersionOverload(R)) 3229 return BuildDeclarationNameExpr(SS, R.getLookupNameInfo(), R.getFoundDecl(), 3230 R.getRepresentativeDecl(), nullptr, 3231 AcceptInvalidDecl); 3232 3233 // We only need to check the declaration if there's exactly one 3234 // result, because in the overloaded case the results can only be 3235 // functions and function templates. 3236 if (R.isSingleResult() && !ShouldLookupResultBeMultiVersionOverload(R) && 3237 CheckDeclInExpr(*this, R.getNameLoc(), R.getFoundDecl())) 3238 return ExprError(); 3239 3240 // Otherwise, just build an unresolved lookup expression. Suppress 3241 // any lookup-related diagnostics; we'll hash these out later, when 3242 // we've picked a target. 3243 R.suppressDiagnostics(); 3244 3245 UnresolvedLookupExpr *ULE 3246 = UnresolvedLookupExpr::Create(Context, R.getNamingClass(), 3247 SS.getWithLocInContext(Context), 3248 R.getLookupNameInfo(), 3249 NeedsADL, R.isOverloadedResult(), 3250 R.begin(), R.end()); 3251 3252 return ULE; 3253 } 3254 3255 static void diagnoseUncapturableValueReference(Sema &S, SourceLocation loc, 3256 ValueDecl *var); 3257 3258 /// Complete semantic analysis for a reference to the given declaration. 3259 ExprResult Sema::BuildDeclarationNameExpr( 3260 const CXXScopeSpec &SS, const DeclarationNameInfo &NameInfo, NamedDecl *D, 3261 NamedDecl *FoundD, const TemplateArgumentListInfo *TemplateArgs, 3262 bool AcceptInvalidDecl) { 3263 assert(D && "Cannot refer to a NULL declaration"); 3264 assert(!isa<FunctionTemplateDecl>(D) && 3265 "Cannot refer unambiguously to a function template"); 3266 3267 SourceLocation Loc = NameInfo.getLoc(); 3268 if (CheckDeclInExpr(*this, Loc, D)) { 3269 // Recovery from invalid cases (e.g. D is an invalid Decl). 3270 // We use the dependent type for the RecoveryExpr to prevent bogus follow-up 3271 // diagnostics, as invalid decls use int as a fallback type. 3272 return CreateRecoveryExpr(NameInfo.getBeginLoc(), NameInfo.getEndLoc(), {}); 3273 } 3274 3275 if (TemplateDecl *Template = dyn_cast<TemplateDecl>(D)) { 3276 // Specifically diagnose references to class templates that are missing 3277 // a template argument list. 3278 diagnoseMissingTemplateArguments(TemplateName(Template), Loc); 3279 return ExprError(); 3280 } 3281 3282 // Make sure that we're referring to a value. 3283 if (!isa<ValueDecl, UnresolvedUsingIfExistsDecl>(D)) { 3284 Diag(Loc, diag::err_ref_non_value) << D << SS.getRange(); 3285 Diag(D->getLocation(), diag::note_declared_at); 3286 return ExprError(); 3287 } 3288 3289 // Check whether this declaration can be used. Note that we suppress 3290 // this check when we're going to perform argument-dependent lookup 3291 // on this function name, because this might not be the function 3292 // that overload resolution actually selects. 3293 if (DiagnoseUseOfDecl(D, Loc)) 3294 return ExprError(); 3295 3296 auto *VD = cast<ValueDecl>(D); 3297 3298 // Only create DeclRefExpr's for valid Decl's. 3299 if (VD->isInvalidDecl() && !AcceptInvalidDecl) 3300 return ExprError(); 3301 3302 // Handle members of anonymous structs and unions. If we got here, 3303 // and the reference is to a class member indirect field, then this 3304 // must be the subject of a pointer-to-member expression. 3305 if (IndirectFieldDecl *indirectField = dyn_cast<IndirectFieldDecl>(VD)) 3306 if (!indirectField->isCXXClassMember()) 3307 return BuildAnonymousStructUnionMemberReference(SS, NameInfo.getLoc(), 3308 indirectField); 3309 3310 QualType type = VD->getType(); 3311 if (type.isNull()) 3312 return ExprError(); 3313 ExprValueKind valueKind = VK_PRValue; 3314 3315 // In 'T ...V;', the type of the declaration 'V' is 'T...', but the type of 3316 // a reference to 'V' is simply (unexpanded) 'T'. The type, like the value, 3317 // is expanded by some outer '...' in the context of the use. 3318 type = type.getNonPackExpansionType(); 3319 3320 switch (D->getKind()) { 3321 // Ignore all the non-ValueDecl kinds. 3322 #define ABSTRACT_DECL(kind) 3323 #define VALUE(type, base) 3324 #define DECL(type, base) case Decl::type: 3325 #include "clang/AST/DeclNodes.inc" 3326 llvm_unreachable("invalid value decl kind"); 3327 3328 // These shouldn't make it here. 3329 case Decl::ObjCAtDefsField: 3330 llvm_unreachable("forming non-member reference to ivar?"); 3331 3332 // Enum constants are always r-values and never references. 3333 // Unresolved using declarations are dependent. 3334 case Decl::EnumConstant: 3335 case Decl::UnresolvedUsingValue: 3336 case Decl::OMPDeclareReduction: 3337 case Decl::OMPDeclareMapper: 3338 valueKind = VK_PRValue; 3339 break; 3340 3341 // Fields and indirect fields that got here must be for 3342 // pointer-to-member expressions; we just call them l-values for 3343 // internal consistency, because this subexpression doesn't really 3344 // exist in the high-level semantics. 3345 case Decl::Field: 3346 case Decl::IndirectField: 3347 case Decl::ObjCIvar: 3348 assert(getLangOpts().CPlusPlus && "building reference to field in C?"); 3349 3350 // These can't have reference type in well-formed programs, but 3351 // for internal consistency we do this anyway. 3352 type = type.getNonReferenceType(); 3353 valueKind = VK_LValue; 3354 break; 3355 3356 // Non-type template parameters are either l-values or r-values 3357 // depending on the type. 3358 case Decl::NonTypeTemplateParm: { 3359 if (const ReferenceType *reftype = type->getAs<ReferenceType>()) { 3360 type = reftype->getPointeeType(); 3361 valueKind = VK_LValue; // even if the parameter is an r-value reference 3362 break; 3363 } 3364 3365 // [expr.prim.id.unqual]p2: 3366 // If the entity is a template parameter object for a template 3367 // parameter of type T, the type of the expression is const T. 3368 // [...] The expression is an lvalue if the entity is a [...] template 3369 // parameter object. 3370 if (type->isRecordType()) { 3371 type = type.getUnqualifiedType().withConst(); 3372 valueKind = VK_LValue; 3373 break; 3374 } 3375 3376 // For non-references, we need to strip qualifiers just in case 3377 // the template parameter was declared as 'const int' or whatever. 3378 valueKind = VK_PRValue; 3379 type = type.getUnqualifiedType(); 3380 break; 3381 } 3382 3383 case Decl::Var: 3384 case Decl::VarTemplateSpecialization: 3385 case Decl::VarTemplatePartialSpecialization: 3386 case Decl::Decomposition: 3387 case Decl::OMPCapturedExpr: 3388 // In C, "extern void blah;" is valid and is an r-value. 3389 if (!getLangOpts().CPlusPlus && !type.hasQualifiers() && 3390 type->isVoidType()) { 3391 valueKind = VK_PRValue; 3392 break; 3393 } 3394 LLVM_FALLTHROUGH; 3395 3396 case Decl::ImplicitParam: 3397 case Decl::ParmVar: { 3398 // These are always l-values. 3399 valueKind = VK_LValue; 3400 type = type.getNonReferenceType(); 3401 3402 // FIXME: Does the addition of const really only apply in 3403 // potentially-evaluated contexts? Since the variable isn't actually 3404 // captured in an unevaluated context, it seems that the answer is no. 3405 if (!isUnevaluatedContext()) { 3406 QualType CapturedType = getCapturedDeclRefType(cast<VarDecl>(VD), Loc); 3407 if (!CapturedType.isNull()) 3408 type = CapturedType; 3409 } 3410 3411 break; 3412 } 3413 3414 case Decl::Binding: { 3415 // These are always lvalues. 3416 valueKind = VK_LValue; 3417 type = type.getNonReferenceType(); 3418 // FIXME: Support lambda-capture of BindingDecls, once CWG actually 3419 // decides how that's supposed to work. 3420 auto *BD = cast<BindingDecl>(VD); 3421 if (BD->getDeclContext() != CurContext) { 3422 auto *DD = dyn_cast_or_null<VarDecl>(BD->getDecomposedDecl()); 3423 if (DD && DD->hasLocalStorage()) 3424 diagnoseUncapturableValueReference(*this, Loc, BD); 3425 } 3426 break; 3427 } 3428 3429 case Decl::Function: { 3430 if (unsigned BID = cast<FunctionDecl>(VD)->getBuiltinID()) { 3431 if (!Context.BuiltinInfo.isDirectlyAddressable(BID)) { 3432 type = Context.BuiltinFnTy; 3433 valueKind = VK_PRValue; 3434 break; 3435 } 3436 } 3437 3438 const FunctionType *fty = type->castAs<FunctionType>(); 3439 3440 // If we're referring to a function with an __unknown_anytype 3441 // result type, make the entire expression __unknown_anytype. 3442 if (fty->getReturnType() == Context.UnknownAnyTy) { 3443 type = Context.UnknownAnyTy; 3444 valueKind = VK_PRValue; 3445 break; 3446 } 3447 3448 // Functions are l-values in C++. 3449 if (getLangOpts().CPlusPlus) { 3450 valueKind = VK_LValue; 3451 break; 3452 } 3453 3454 // C99 DR 316 says that, if a function type comes from a 3455 // function definition (without a prototype), that type is only 3456 // used for checking compatibility. Therefore, when referencing 3457 // the function, we pretend that we don't have the full function 3458 // type. 3459 if (!cast<FunctionDecl>(VD)->hasPrototype() && isa<FunctionProtoType>(fty)) 3460 type = Context.getFunctionNoProtoType(fty->getReturnType(), 3461 fty->getExtInfo()); 3462 3463 // Functions are r-values in C. 3464 valueKind = VK_PRValue; 3465 break; 3466 } 3467 3468 case Decl::CXXDeductionGuide: 3469 llvm_unreachable("building reference to deduction guide"); 3470 3471 case Decl::MSProperty: 3472 case Decl::MSGuid: 3473 case Decl::TemplateParamObject: 3474 // FIXME: Should MSGuidDecl and template parameter objects be subject to 3475 // capture in OpenMP, or duplicated between host and device? 3476 valueKind = VK_LValue; 3477 break; 3478 3479 case Decl::UnnamedGlobalConstant: 3480 valueKind = VK_LValue; 3481 break; 3482 3483 case Decl::CXXMethod: 3484 // If we're referring to a method with an __unknown_anytype 3485 // result type, make the entire expression __unknown_anytype. 3486 // This should only be possible with a type written directly. 3487 if (const FunctionProtoType *proto = 3488 dyn_cast<FunctionProtoType>(VD->getType())) 3489 if (proto->getReturnType() == Context.UnknownAnyTy) { 3490 type = Context.UnknownAnyTy; 3491 valueKind = VK_PRValue; 3492 break; 3493 } 3494 3495 // C++ methods are l-values if static, r-values if non-static. 3496 if (cast<CXXMethodDecl>(VD)->isStatic()) { 3497 valueKind = VK_LValue; 3498 break; 3499 } 3500 LLVM_FALLTHROUGH; 3501 3502 case Decl::CXXConversion: 3503 case Decl::CXXDestructor: 3504 case Decl::CXXConstructor: 3505 valueKind = VK_PRValue; 3506 break; 3507 } 3508 3509 return BuildDeclRefExpr(VD, type, valueKind, NameInfo, &SS, FoundD, 3510 /*FIXME: TemplateKWLoc*/ SourceLocation(), 3511 TemplateArgs); 3512 } 3513 3514 static void ConvertUTF8ToWideString(unsigned CharByteWidth, StringRef Source, 3515 SmallString<32> &Target) { 3516 Target.resize(CharByteWidth * (Source.size() + 1)); 3517 char *ResultPtr = &Target[0]; 3518 const llvm::UTF8 *ErrorPtr; 3519 bool success = 3520 llvm::ConvertUTF8toWide(CharByteWidth, Source, ResultPtr, ErrorPtr); 3521 (void)success; 3522 assert(success); 3523 Target.resize(ResultPtr - &Target[0]); 3524 } 3525 3526 ExprResult Sema::BuildPredefinedExpr(SourceLocation Loc, 3527 PredefinedExpr::IdentKind IK) { 3528 // Pick the current block, lambda, captured statement or function. 3529 Decl *currentDecl = nullptr; 3530 if (const BlockScopeInfo *BSI = getCurBlock()) 3531 currentDecl = BSI->TheDecl; 3532 else if (const LambdaScopeInfo *LSI = getCurLambda()) 3533 currentDecl = LSI->CallOperator; 3534 else if (const CapturedRegionScopeInfo *CSI = getCurCapturedRegion()) 3535 currentDecl = CSI->TheCapturedDecl; 3536 else 3537 currentDecl = getCurFunctionOrMethodDecl(); 3538 3539 if (!currentDecl) { 3540 Diag(Loc, diag::ext_predef_outside_function); 3541 currentDecl = Context.getTranslationUnitDecl(); 3542 } 3543 3544 QualType ResTy; 3545 StringLiteral *SL = nullptr; 3546 if (cast<DeclContext>(currentDecl)->isDependentContext()) 3547 ResTy = Context.DependentTy; 3548 else { 3549 // Pre-defined identifiers are of type char[x], where x is the length of 3550 // the string. 3551 auto Str = PredefinedExpr::ComputeName(IK, currentDecl); 3552 unsigned Length = Str.length(); 3553 3554 llvm::APInt LengthI(32, Length + 1); 3555 if (IK == PredefinedExpr::LFunction || IK == PredefinedExpr::LFuncSig) { 3556 ResTy = 3557 Context.adjustStringLiteralBaseType(Context.WideCharTy.withConst()); 3558 SmallString<32> RawChars; 3559 ConvertUTF8ToWideString(Context.getTypeSizeInChars(ResTy).getQuantity(), 3560 Str, RawChars); 3561 ResTy = Context.getConstantArrayType(ResTy, LengthI, nullptr, 3562 ArrayType::Normal, 3563 /*IndexTypeQuals*/ 0); 3564 SL = StringLiteral::Create(Context, RawChars, StringLiteral::Wide, 3565 /*Pascal*/ false, ResTy, Loc); 3566 } else { 3567 ResTy = Context.adjustStringLiteralBaseType(Context.CharTy.withConst()); 3568 ResTy = Context.getConstantArrayType(ResTy, LengthI, nullptr, 3569 ArrayType::Normal, 3570 /*IndexTypeQuals*/ 0); 3571 SL = StringLiteral::Create(Context, Str, StringLiteral::Ascii, 3572 /*Pascal*/ false, ResTy, Loc); 3573 } 3574 } 3575 3576 return PredefinedExpr::Create(Context, Loc, ResTy, IK, SL); 3577 } 3578 3579 ExprResult Sema::BuildSYCLUniqueStableNameExpr(SourceLocation OpLoc, 3580 SourceLocation LParen, 3581 SourceLocation RParen, 3582 TypeSourceInfo *TSI) { 3583 return SYCLUniqueStableNameExpr::Create(Context, OpLoc, LParen, RParen, TSI); 3584 } 3585 3586 ExprResult Sema::ActOnSYCLUniqueStableNameExpr(SourceLocation OpLoc, 3587 SourceLocation LParen, 3588 SourceLocation RParen, 3589 ParsedType ParsedTy) { 3590 TypeSourceInfo *TSI = nullptr; 3591 QualType Ty = GetTypeFromParser(ParsedTy, &TSI); 3592 3593 if (Ty.isNull()) 3594 return ExprError(); 3595 if (!TSI) 3596 TSI = Context.getTrivialTypeSourceInfo(Ty, LParen); 3597 3598 return BuildSYCLUniqueStableNameExpr(OpLoc, LParen, RParen, TSI); 3599 } 3600 3601 ExprResult Sema::ActOnPredefinedExpr(SourceLocation Loc, tok::TokenKind Kind) { 3602 PredefinedExpr::IdentKind IK; 3603 3604 switch (Kind) { 3605 default: llvm_unreachable("Unknown simple primary expr!"); 3606 case tok::kw___func__: IK = PredefinedExpr::Func; break; // [C99 6.4.2.2] 3607 case tok::kw___FUNCTION__: IK = PredefinedExpr::Function; break; 3608 case tok::kw___FUNCDNAME__: IK = PredefinedExpr::FuncDName; break; // [MS] 3609 case tok::kw___FUNCSIG__: IK = PredefinedExpr::FuncSig; break; // [MS] 3610 case tok::kw_L__FUNCTION__: IK = PredefinedExpr::LFunction; break; // [MS] 3611 case tok::kw_L__FUNCSIG__: IK = PredefinedExpr::LFuncSig; break; // [MS] 3612 case tok::kw___PRETTY_FUNCTION__: IK = PredefinedExpr::PrettyFunction; break; 3613 } 3614 3615 return BuildPredefinedExpr(Loc, IK); 3616 } 3617 3618 ExprResult Sema::ActOnCharacterConstant(const Token &Tok, Scope *UDLScope) { 3619 SmallString<16> CharBuffer; 3620 bool Invalid = false; 3621 StringRef ThisTok = PP.getSpelling(Tok, CharBuffer, &Invalid); 3622 if (Invalid) 3623 return ExprError(); 3624 3625 CharLiteralParser Literal(ThisTok.begin(), ThisTok.end(), Tok.getLocation(), 3626 PP, Tok.getKind()); 3627 if (Literal.hadError()) 3628 return ExprError(); 3629 3630 QualType Ty; 3631 if (Literal.isWide()) 3632 Ty = Context.WideCharTy; // L'x' -> wchar_t in C and C++. 3633 else if (Literal.isUTF8() && getLangOpts().C2x) 3634 Ty = Context.UnsignedCharTy; // u8'x' -> unsigned char in C2x 3635 else if (Literal.isUTF8() && getLangOpts().Char8) 3636 Ty = Context.Char8Ty; // u8'x' -> char8_t when it exists. 3637 else if (Literal.isUTF16()) 3638 Ty = Context.Char16Ty; // u'x' -> char16_t in C11 and C++11. 3639 else if (Literal.isUTF32()) 3640 Ty = Context.Char32Ty; // U'x' -> char32_t in C11 and C++11. 3641 else if (!getLangOpts().CPlusPlus || Literal.isMultiChar()) 3642 Ty = Context.IntTy; // 'x' -> int in C, 'wxyz' -> int in C++. 3643 else 3644 Ty = Context.CharTy; // 'x' -> char in C++; 3645 // u8'x' -> char in C11-C17 and in C++ without char8_t. 3646 3647 CharacterLiteral::CharacterKind Kind = CharacterLiteral::Ascii; 3648 if (Literal.isWide()) 3649 Kind = CharacterLiteral::Wide; 3650 else if (Literal.isUTF16()) 3651 Kind = CharacterLiteral::UTF16; 3652 else if (Literal.isUTF32()) 3653 Kind = CharacterLiteral::UTF32; 3654 else if (Literal.isUTF8()) 3655 Kind = CharacterLiteral::UTF8; 3656 3657 Expr *Lit = new (Context) CharacterLiteral(Literal.getValue(), Kind, Ty, 3658 Tok.getLocation()); 3659 3660 if (Literal.getUDSuffix().empty()) 3661 return Lit; 3662 3663 // We're building a user-defined literal. 3664 IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix()); 3665 SourceLocation UDSuffixLoc = 3666 getUDSuffixLoc(*this, Tok.getLocation(), Literal.getUDSuffixOffset()); 3667 3668 // Make sure we're allowed user-defined literals here. 3669 if (!UDLScope) 3670 return ExprError(Diag(UDSuffixLoc, diag::err_invalid_character_udl)); 3671 3672 // C++11 [lex.ext]p6: The literal L is treated as a call of the form 3673 // operator "" X (ch) 3674 return BuildCookedLiteralOperatorCall(*this, UDLScope, UDSuffix, UDSuffixLoc, 3675 Lit, Tok.getLocation()); 3676 } 3677 3678 ExprResult Sema::ActOnIntegerConstant(SourceLocation Loc, uint64_t Val) { 3679 unsigned IntSize = Context.getTargetInfo().getIntWidth(); 3680 return IntegerLiteral::Create(Context, llvm::APInt(IntSize, Val), 3681 Context.IntTy, Loc); 3682 } 3683 3684 static Expr *BuildFloatingLiteral(Sema &S, NumericLiteralParser &Literal, 3685 QualType Ty, SourceLocation Loc) { 3686 const llvm::fltSemantics &Format = S.Context.getFloatTypeSemantics(Ty); 3687 3688 using llvm::APFloat; 3689 APFloat Val(Format); 3690 3691 APFloat::opStatus result = Literal.GetFloatValue(Val); 3692 3693 // Overflow is always an error, but underflow is only an error if 3694 // we underflowed to zero (APFloat reports denormals as underflow). 3695 if ((result & APFloat::opOverflow) || 3696 ((result & APFloat::opUnderflow) && Val.isZero())) { 3697 unsigned diagnostic; 3698 SmallString<20> buffer; 3699 if (result & APFloat::opOverflow) { 3700 diagnostic = diag::warn_float_overflow; 3701 APFloat::getLargest(Format).toString(buffer); 3702 } else { 3703 diagnostic = diag::warn_float_underflow; 3704 APFloat::getSmallest(Format).toString(buffer); 3705 } 3706 3707 S.Diag(Loc, diagnostic) 3708 << Ty 3709 << StringRef(buffer.data(), buffer.size()); 3710 } 3711 3712 bool isExact = (result == APFloat::opOK); 3713 return FloatingLiteral::Create(S.Context, Val, isExact, Ty, Loc); 3714 } 3715 3716 bool Sema::CheckLoopHintExpr(Expr *E, SourceLocation Loc) { 3717 assert(E && "Invalid expression"); 3718 3719 if (E->isValueDependent()) 3720 return false; 3721 3722 QualType QT = E->getType(); 3723 if (!QT->isIntegerType() || QT->isBooleanType() || QT->isCharType()) { 3724 Diag(E->getExprLoc(), diag::err_pragma_loop_invalid_argument_type) << QT; 3725 return true; 3726 } 3727 3728 llvm::APSInt ValueAPS; 3729 ExprResult R = VerifyIntegerConstantExpression(E, &ValueAPS); 3730 3731 if (R.isInvalid()) 3732 return true; 3733 3734 bool ValueIsPositive = ValueAPS.isStrictlyPositive(); 3735 if (!ValueIsPositive || ValueAPS.getActiveBits() > 31) { 3736 Diag(E->getExprLoc(), diag::err_pragma_loop_invalid_argument_value) 3737 << toString(ValueAPS, 10) << ValueIsPositive; 3738 return true; 3739 } 3740 3741 return false; 3742 } 3743 3744 ExprResult Sema::ActOnNumericConstant(const Token &Tok, Scope *UDLScope) { 3745 // Fast path for a single digit (which is quite common). A single digit 3746 // cannot have a trigraph, escaped newline, radix prefix, or suffix. 3747 if (Tok.getLength() == 1) { 3748 const char Val = PP.getSpellingOfSingleCharacterNumericConstant(Tok); 3749 return ActOnIntegerConstant(Tok.getLocation(), Val-'0'); 3750 } 3751 3752 SmallString<128> SpellingBuffer; 3753 // NumericLiteralParser wants to overread by one character. Add padding to 3754 // the buffer in case the token is copied to the buffer. If getSpelling() 3755 // returns a StringRef to the memory buffer, it should have a null char at 3756 // the EOF, so it is also safe. 3757 SpellingBuffer.resize(Tok.getLength() + 1); 3758 3759 // Get the spelling of the token, which eliminates trigraphs, etc. 3760 bool Invalid = false; 3761 StringRef TokSpelling = PP.getSpelling(Tok, SpellingBuffer, &Invalid); 3762 if (Invalid) 3763 return ExprError(); 3764 3765 NumericLiteralParser Literal(TokSpelling, Tok.getLocation(), 3766 PP.getSourceManager(), PP.getLangOpts(), 3767 PP.getTargetInfo(), PP.getDiagnostics()); 3768 if (Literal.hadError) 3769 return ExprError(); 3770 3771 if (Literal.hasUDSuffix()) { 3772 // We're building a user-defined literal. 3773 IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix()); 3774 SourceLocation UDSuffixLoc = 3775 getUDSuffixLoc(*this, Tok.getLocation(), Literal.getUDSuffixOffset()); 3776 3777 // Make sure we're allowed user-defined literals here. 3778 if (!UDLScope) 3779 return ExprError(Diag(UDSuffixLoc, diag::err_invalid_numeric_udl)); 3780 3781 QualType CookedTy; 3782 if (Literal.isFloatingLiteral()) { 3783 // C++11 [lex.ext]p4: If S contains a literal operator with parameter type 3784 // long double, the literal is treated as a call of the form 3785 // operator "" X (f L) 3786 CookedTy = Context.LongDoubleTy; 3787 } else { 3788 // C++11 [lex.ext]p3: If S contains a literal operator with parameter type 3789 // unsigned long long, the literal is treated as a call of the form 3790 // operator "" X (n ULL) 3791 CookedTy = Context.UnsignedLongLongTy; 3792 } 3793 3794 DeclarationName OpName = 3795 Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix); 3796 DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc); 3797 OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc); 3798 3799 SourceLocation TokLoc = Tok.getLocation(); 3800 3801 // Perform literal operator lookup to determine if we're building a raw 3802 // literal or a cooked one. 3803 LookupResult R(*this, OpName, UDSuffixLoc, LookupOrdinaryName); 3804 switch (LookupLiteralOperator(UDLScope, R, CookedTy, 3805 /*AllowRaw*/ true, /*AllowTemplate*/ true, 3806 /*AllowStringTemplatePack*/ false, 3807 /*DiagnoseMissing*/ !Literal.isImaginary)) { 3808 case LOLR_ErrorNoDiagnostic: 3809 // Lookup failure for imaginary constants isn't fatal, there's still the 3810 // GNU extension producing _Complex types. 3811 break; 3812 case LOLR_Error: 3813 return ExprError(); 3814 case LOLR_Cooked: { 3815 Expr *Lit; 3816 if (Literal.isFloatingLiteral()) { 3817 Lit = BuildFloatingLiteral(*this, Literal, CookedTy, Tok.getLocation()); 3818 } else { 3819 llvm::APInt ResultVal(Context.getTargetInfo().getLongLongWidth(), 0); 3820 if (Literal.GetIntegerValue(ResultVal)) 3821 Diag(Tok.getLocation(), diag::err_integer_literal_too_large) 3822 << /* Unsigned */ 1; 3823 Lit = IntegerLiteral::Create(Context, ResultVal, CookedTy, 3824 Tok.getLocation()); 3825 } 3826 return BuildLiteralOperatorCall(R, OpNameInfo, Lit, TokLoc); 3827 } 3828 3829 case LOLR_Raw: { 3830 // C++11 [lit.ext]p3, p4: If S contains a raw literal operator, the 3831 // literal is treated as a call of the form 3832 // operator "" X ("n") 3833 unsigned Length = Literal.getUDSuffixOffset(); 3834 QualType StrTy = Context.getConstantArrayType( 3835 Context.adjustStringLiteralBaseType(Context.CharTy.withConst()), 3836 llvm::APInt(32, Length + 1), nullptr, ArrayType::Normal, 0); 3837 Expr *Lit = StringLiteral::Create( 3838 Context, StringRef(TokSpelling.data(), Length), StringLiteral::Ascii, 3839 /*Pascal*/false, StrTy, &TokLoc, 1); 3840 return BuildLiteralOperatorCall(R, OpNameInfo, Lit, TokLoc); 3841 } 3842 3843 case LOLR_Template: { 3844 // C++11 [lit.ext]p3, p4: Otherwise (S contains a literal operator 3845 // template), L is treated as a call fo the form 3846 // operator "" X <'c1', 'c2', ... 'ck'>() 3847 // where n is the source character sequence c1 c2 ... ck. 3848 TemplateArgumentListInfo ExplicitArgs; 3849 unsigned CharBits = Context.getIntWidth(Context.CharTy); 3850 bool CharIsUnsigned = Context.CharTy->isUnsignedIntegerType(); 3851 llvm::APSInt Value(CharBits, CharIsUnsigned); 3852 for (unsigned I = 0, N = Literal.getUDSuffixOffset(); I != N; ++I) { 3853 Value = TokSpelling[I]; 3854 TemplateArgument Arg(Context, Value, Context.CharTy); 3855 TemplateArgumentLocInfo ArgInfo; 3856 ExplicitArgs.addArgument(TemplateArgumentLoc(Arg, ArgInfo)); 3857 } 3858 return BuildLiteralOperatorCall(R, OpNameInfo, None, TokLoc, 3859 &ExplicitArgs); 3860 } 3861 case LOLR_StringTemplatePack: 3862 llvm_unreachable("unexpected literal operator lookup result"); 3863 } 3864 } 3865 3866 Expr *Res; 3867 3868 if (Literal.isFixedPointLiteral()) { 3869 QualType Ty; 3870 3871 if (Literal.isAccum) { 3872 if (Literal.isHalf) { 3873 Ty = Context.ShortAccumTy; 3874 } else if (Literal.isLong) { 3875 Ty = Context.LongAccumTy; 3876 } else { 3877 Ty = Context.AccumTy; 3878 } 3879 } else if (Literal.isFract) { 3880 if (Literal.isHalf) { 3881 Ty = Context.ShortFractTy; 3882 } else if (Literal.isLong) { 3883 Ty = Context.LongFractTy; 3884 } else { 3885 Ty = Context.FractTy; 3886 } 3887 } 3888 3889 if (Literal.isUnsigned) Ty = Context.getCorrespondingUnsignedType(Ty); 3890 3891 bool isSigned = !Literal.isUnsigned; 3892 unsigned scale = Context.getFixedPointScale(Ty); 3893 unsigned bit_width = Context.getTypeInfo(Ty).Width; 3894 3895 llvm::APInt Val(bit_width, 0, isSigned); 3896 bool Overflowed = Literal.GetFixedPointValue(Val, scale); 3897 bool ValIsZero = Val.isZero() && !Overflowed; 3898 3899 auto MaxVal = Context.getFixedPointMax(Ty).getValue(); 3900 if (Literal.isFract && Val == MaxVal + 1 && !ValIsZero) 3901 // Clause 6.4.4 - The value of a constant shall be in the range of 3902 // representable values for its type, with exception for constants of a 3903 // fract type with a value of exactly 1; such a constant shall denote 3904 // the maximal value for the type. 3905 --Val; 3906 else if (Val.ugt(MaxVal) || Overflowed) 3907 Diag(Tok.getLocation(), diag::err_too_large_for_fixed_point); 3908 3909 Res = FixedPointLiteral::CreateFromRawInt(Context, Val, Ty, 3910 Tok.getLocation(), scale); 3911 } else if (Literal.isFloatingLiteral()) { 3912 QualType Ty; 3913 if (Literal.isHalf){ 3914 if (getOpenCLOptions().isAvailableOption("cl_khr_fp16", getLangOpts())) 3915 Ty = Context.HalfTy; 3916 else { 3917 Diag(Tok.getLocation(), diag::err_half_const_requires_fp16); 3918 return ExprError(); 3919 } 3920 } else if (Literal.isFloat) 3921 Ty = Context.FloatTy; 3922 else if (Literal.isLong) 3923 Ty = Context.LongDoubleTy; 3924 else if (Literal.isFloat16) 3925 Ty = Context.Float16Ty; 3926 else if (Literal.isFloat128) 3927 Ty = Context.Float128Ty; 3928 else 3929 Ty = Context.DoubleTy; 3930 3931 Res = BuildFloatingLiteral(*this, Literal, Ty, Tok.getLocation()); 3932 3933 if (Ty == Context.DoubleTy) { 3934 if (getLangOpts().SinglePrecisionConstants) { 3935 if (Ty->castAs<BuiltinType>()->getKind() != BuiltinType::Float) { 3936 Res = ImpCastExprToType(Res, Context.FloatTy, CK_FloatingCast).get(); 3937 } 3938 } else if (getLangOpts().OpenCL && !getOpenCLOptions().isAvailableOption( 3939 "cl_khr_fp64", getLangOpts())) { 3940 // Impose single-precision float type when cl_khr_fp64 is not enabled. 3941 Diag(Tok.getLocation(), diag::warn_double_const_requires_fp64) 3942 << (getLangOpts().getOpenCLCompatibleVersion() >= 300); 3943 Res = ImpCastExprToType(Res, Context.FloatTy, CK_FloatingCast).get(); 3944 } 3945 } 3946 } else if (!Literal.isIntegerLiteral()) { 3947 return ExprError(); 3948 } else { 3949 QualType Ty; 3950 3951 // 'long long' is a C99 or C++11 feature. 3952 if (!getLangOpts().C99 && Literal.isLongLong) { 3953 if (getLangOpts().CPlusPlus) 3954 Diag(Tok.getLocation(), 3955 getLangOpts().CPlusPlus11 ? 3956 diag::warn_cxx98_compat_longlong : diag::ext_cxx11_longlong); 3957 else 3958 Diag(Tok.getLocation(), diag::ext_c99_longlong); 3959 } 3960 3961 // 'z/uz' literals are a C++2b feature. 3962 if (Literal.isSizeT) 3963 Diag(Tok.getLocation(), getLangOpts().CPlusPlus 3964 ? getLangOpts().CPlusPlus2b 3965 ? diag::warn_cxx20_compat_size_t_suffix 3966 : diag::ext_cxx2b_size_t_suffix 3967 : diag::err_cxx2b_size_t_suffix); 3968 3969 // 'wb/uwb' literals are a C2x feature. We support _BitInt as a type in C++, 3970 // but we do not currently support the suffix in C++ mode because it's not 3971 // entirely clear whether WG21 will prefer this suffix to return a library 3972 // type such as std::bit_int instead of returning a _BitInt. 3973 if (Literal.isBitInt && !getLangOpts().CPlusPlus) 3974 PP.Diag(Tok.getLocation(), getLangOpts().C2x 3975 ? diag::warn_c2x_compat_bitint_suffix 3976 : diag::ext_c2x_bitint_suffix); 3977 3978 // Get the value in the widest-possible width. What is "widest" depends on 3979 // whether the literal is a bit-precise integer or not. For a bit-precise 3980 // integer type, try to scan the source to determine how many bits are 3981 // needed to represent the value. This may seem a bit expensive, but trying 3982 // to get the integer value from an overly-wide APInt is *extremely* 3983 // expensive, so the naive approach of assuming 3984 // llvm::IntegerType::MAX_INT_BITS is a big performance hit. 3985 unsigned BitsNeeded = 3986 Literal.isBitInt ? llvm::APInt::getSufficientBitsNeeded( 3987 Literal.getLiteralDigits(), Literal.getRadix()) 3988 : Context.getTargetInfo().getIntMaxTWidth(); 3989 llvm::APInt ResultVal(BitsNeeded, 0); 3990 3991 if (Literal.GetIntegerValue(ResultVal)) { 3992 // If this value didn't fit into uintmax_t, error and force to ull. 3993 Diag(Tok.getLocation(), diag::err_integer_literal_too_large) 3994 << /* Unsigned */ 1; 3995 Ty = Context.UnsignedLongLongTy; 3996 assert(Context.getTypeSize(Ty) == ResultVal.getBitWidth() && 3997 "long long is not intmax_t?"); 3998 } else { 3999 // If this value fits into a ULL, try to figure out what else it fits into 4000 // according to the rules of C99 6.4.4.1p5. 4001 4002 // Octal, Hexadecimal, and integers with a U suffix are allowed to 4003 // be an unsigned int. 4004 bool AllowUnsigned = Literal.isUnsigned || Literal.getRadix() != 10; 4005 4006 // Check from smallest to largest, picking the smallest type we can. 4007 unsigned Width = 0; 4008 4009 // Microsoft specific integer suffixes are explicitly sized. 4010 if (Literal.MicrosoftInteger) { 4011 if (Literal.MicrosoftInteger == 8 && !Literal.isUnsigned) { 4012 Width = 8; 4013 Ty = Context.CharTy; 4014 } else { 4015 Width = Literal.MicrosoftInteger; 4016 Ty = Context.getIntTypeForBitwidth(Width, 4017 /*Signed=*/!Literal.isUnsigned); 4018 } 4019 } 4020 4021 // Bit-precise integer literals are automagically-sized based on the 4022 // width required by the literal. 4023 if (Literal.isBitInt) { 4024 // The signed version has one more bit for the sign value. There are no 4025 // zero-width bit-precise integers, even if the literal value is 0. 4026 Width = std::max(ResultVal.getActiveBits(), 1u) + 4027 (Literal.isUnsigned ? 0u : 1u); 4028 4029 // Diagnose if the width of the constant is larger than BITINT_MAXWIDTH, 4030 // and reset the type to the largest supported width. 4031 unsigned int MaxBitIntWidth = 4032 Context.getTargetInfo().getMaxBitIntWidth(); 4033 if (Width > MaxBitIntWidth) { 4034 Diag(Tok.getLocation(), diag::err_integer_literal_too_large) 4035 << Literal.isUnsigned; 4036 Width = MaxBitIntWidth; 4037 } 4038 4039 // Reset the result value to the smaller APInt and select the correct 4040 // type to be used. Note, we zext even for signed values because the 4041 // literal itself is always an unsigned value (a preceeding - is a 4042 // unary operator, not part of the literal). 4043 ResultVal = ResultVal.zextOrTrunc(Width); 4044 Ty = Context.getBitIntType(Literal.isUnsigned, Width); 4045 } 4046 4047 // Check C++2b size_t literals. 4048 if (Literal.isSizeT) { 4049 assert(!Literal.MicrosoftInteger && 4050 "size_t literals can't be Microsoft literals"); 4051 unsigned SizeTSize = Context.getTargetInfo().getTypeWidth( 4052 Context.getTargetInfo().getSizeType()); 4053 4054 // Does it fit in size_t? 4055 if (ResultVal.isIntN(SizeTSize)) { 4056 // Does it fit in ssize_t? 4057 if (!Literal.isUnsigned && ResultVal[SizeTSize - 1] == 0) 4058 Ty = Context.getSignedSizeType(); 4059 else if (AllowUnsigned) 4060 Ty = Context.getSizeType(); 4061 Width = SizeTSize; 4062 } 4063 } 4064 4065 if (Ty.isNull() && !Literal.isLong && !Literal.isLongLong && 4066 !Literal.isSizeT) { 4067 // Are int/unsigned possibilities? 4068 unsigned IntSize = Context.getTargetInfo().getIntWidth(); 4069 4070 // Does it fit in a unsigned int? 4071 if (ResultVal.isIntN(IntSize)) { 4072 // Does it fit in a signed int? 4073 if (!Literal.isUnsigned && ResultVal[IntSize-1] == 0) 4074 Ty = Context.IntTy; 4075 else if (AllowUnsigned) 4076 Ty = Context.UnsignedIntTy; 4077 Width = IntSize; 4078 } 4079 } 4080 4081 // Are long/unsigned long possibilities? 4082 if (Ty.isNull() && !Literal.isLongLong && !Literal.isSizeT) { 4083 unsigned LongSize = Context.getTargetInfo().getLongWidth(); 4084 4085 // Does it fit in a unsigned long? 4086 if (ResultVal.isIntN(LongSize)) { 4087 // Does it fit in a signed long? 4088 if (!Literal.isUnsigned && ResultVal[LongSize-1] == 0) 4089 Ty = Context.LongTy; 4090 else if (AllowUnsigned) 4091 Ty = Context.UnsignedLongTy; 4092 // Check according to the rules of C90 6.1.3.2p5. C++03 [lex.icon]p2 4093 // is compatible. 4094 else if (!getLangOpts().C99 && !getLangOpts().CPlusPlus11) { 4095 const unsigned LongLongSize = 4096 Context.getTargetInfo().getLongLongWidth(); 4097 Diag(Tok.getLocation(), 4098 getLangOpts().CPlusPlus 4099 ? Literal.isLong 4100 ? diag::warn_old_implicitly_unsigned_long_cxx 4101 : /*C++98 UB*/ diag:: 4102 ext_old_implicitly_unsigned_long_cxx 4103 : diag::warn_old_implicitly_unsigned_long) 4104 << (LongLongSize > LongSize ? /*will have type 'long long'*/ 0 4105 : /*will be ill-formed*/ 1); 4106 Ty = Context.UnsignedLongTy; 4107 } 4108 Width = LongSize; 4109 } 4110 } 4111 4112 // Check long long if needed. 4113 if (Ty.isNull() && !Literal.isSizeT) { 4114 unsigned LongLongSize = Context.getTargetInfo().getLongLongWidth(); 4115 4116 // Does it fit in a unsigned long long? 4117 if (ResultVal.isIntN(LongLongSize)) { 4118 // Does it fit in a signed long long? 4119 // To be compatible with MSVC, hex integer literals ending with the 4120 // LL or i64 suffix are always signed in Microsoft mode. 4121 if (!Literal.isUnsigned && (ResultVal[LongLongSize-1] == 0 || 4122 (getLangOpts().MSVCCompat && Literal.isLongLong))) 4123 Ty = Context.LongLongTy; 4124 else if (AllowUnsigned) 4125 Ty = Context.UnsignedLongLongTy; 4126 Width = LongLongSize; 4127 } 4128 } 4129 4130 // If we still couldn't decide a type, we either have 'size_t' literal 4131 // that is out of range, or a decimal literal that does not fit in a 4132 // signed long long and has no U suffix. 4133 if (Ty.isNull()) { 4134 if (Literal.isSizeT) 4135 Diag(Tok.getLocation(), diag::err_size_t_literal_too_large) 4136 << Literal.isUnsigned; 4137 else 4138 Diag(Tok.getLocation(), 4139 diag::ext_integer_literal_too_large_for_signed); 4140 Ty = Context.UnsignedLongLongTy; 4141 Width = Context.getTargetInfo().getLongLongWidth(); 4142 } 4143 4144 if (ResultVal.getBitWidth() != Width) 4145 ResultVal = ResultVal.trunc(Width); 4146 } 4147 Res = IntegerLiteral::Create(Context, ResultVal, Ty, Tok.getLocation()); 4148 } 4149 4150 // If this is an imaginary literal, create the ImaginaryLiteral wrapper. 4151 if (Literal.isImaginary) { 4152 Res = new (Context) ImaginaryLiteral(Res, 4153 Context.getComplexType(Res->getType())); 4154 4155 Diag(Tok.getLocation(), diag::ext_imaginary_constant); 4156 } 4157 return Res; 4158 } 4159 4160 ExprResult Sema::ActOnParenExpr(SourceLocation L, SourceLocation R, Expr *E) { 4161 assert(E && "ActOnParenExpr() missing expr"); 4162 QualType ExprTy = E->getType(); 4163 if (getLangOpts().ProtectParens && CurFPFeatures.getAllowFPReassociate() && 4164 !E->isLValue() && ExprTy->hasFloatingRepresentation()) 4165 return BuildBuiltinCallExpr(R, Builtin::BI__arithmetic_fence, E); 4166 return new (Context) ParenExpr(L, R, E); 4167 } 4168 4169 static bool CheckVecStepTraitOperandType(Sema &S, QualType T, 4170 SourceLocation Loc, 4171 SourceRange ArgRange) { 4172 // [OpenCL 1.1 6.11.12] "The vec_step built-in function takes a built-in 4173 // scalar or vector data type argument..." 4174 // Every built-in scalar type (OpenCL 1.1 6.1.1) is either an arithmetic 4175 // type (C99 6.2.5p18) or void. 4176 if (!(T->isArithmeticType() || T->isVoidType() || T->isVectorType())) { 4177 S.Diag(Loc, diag::err_vecstep_non_scalar_vector_type) 4178 << T << ArgRange; 4179 return true; 4180 } 4181 4182 assert((T->isVoidType() || !T->isIncompleteType()) && 4183 "Scalar types should always be complete"); 4184 return false; 4185 } 4186 4187 static bool CheckExtensionTraitOperandType(Sema &S, QualType T, 4188 SourceLocation Loc, 4189 SourceRange ArgRange, 4190 UnaryExprOrTypeTrait TraitKind) { 4191 // Invalid types must be hard errors for SFINAE in C++. 4192 if (S.LangOpts.CPlusPlus) 4193 return true; 4194 4195 // C99 6.5.3.4p1: 4196 if (T->isFunctionType() && 4197 (TraitKind == UETT_SizeOf || TraitKind == UETT_AlignOf || 4198 TraitKind == UETT_PreferredAlignOf)) { 4199 // sizeof(function)/alignof(function) is allowed as an extension. 4200 S.Diag(Loc, diag::ext_sizeof_alignof_function_type) 4201 << getTraitSpelling(TraitKind) << ArgRange; 4202 return false; 4203 } 4204 4205 // Allow sizeof(void)/alignof(void) as an extension, unless in OpenCL where 4206 // this is an error (OpenCL v1.1 s6.3.k) 4207 if (T->isVoidType()) { 4208 unsigned DiagID = S.LangOpts.OpenCL ? diag::err_opencl_sizeof_alignof_type 4209 : diag::ext_sizeof_alignof_void_type; 4210 S.Diag(Loc, DiagID) << getTraitSpelling(TraitKind) << ArgRange; 4211 return false; 4212 } 4213 4214 return true; 4215 } 4216 4217 static bool CheckObjCTraitOperandConstraints(Sema &S, QualType T, 4218 SourceLocation Loc, 4219 SourceRange ArgRange, 4220 UnaryExprOrTypeTrait TraitKind) { 4221 // Reject sizeof(interface) and sizeof(interface<proto>) if the 4222 // runtime doesn't allow it. 4223 if (!S.LangOpts.ObjCRuntime.allowsSizeofAlignof() && T->isObjCObjectType()) { 4224 S.Diag(Loc, diag::err_sizeof_nonfragile_interface) 4225 << T << (TraitKind == UETT_SizeOf) 4226 << ArgRange; 4227 return true; 4228 } 4229 4230 return false; 4231 } 4232 4233 /// Check whether E is a pointer from a decayed array type (the decayed 4234 /// pointer type is equal to T) and emit a warning if it is. 4235 static void warnOnSizeofOnArrayDecay(Sema &S, SourceLocation Loc, QualType T, 4236 Expr *E) { 4237 // Don't warn if the operation changed the type. 4238 if (T != E->getType()) 4239 return; 4240 4241 // Now look for array decays. 4242 ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(E); 4243 if (!ICE || ICE->getCastKind() != CK_ArrayToPointerDecay) 4244 return; 4245 4246 S.Diag(Loc, diag::warn_sizeof_array_decay) << ICE->getSourceRange() 4247 << ICE->getType() 4248 << ICE->getSubExpr()->getType(); 4249 } 4250 4251 /// Check the constraints on expression operands to unary type expression 4252 /// and type traits. 4253 /// 4254 /// Completes any types necessary and validates the constraints on the operand 4255 /// expression. The logic mostly mirrors the type-based overload, but may modify 4256 /// the expression as it completes the type for that expression through template 4257 /// instantiation, etc. 4258 bool Sema::CheckUnaryExprOrTypeTraitOperand(Expr *E, 4259 UnaryExprOrTypeTrait ExprKind) { 4260 QualType ExprTy = E->getType(); 4261 assert(!ExprTy->isReferenceType()); 4262 4263 bool IsUnevaluatedOperand = 4264 (ExprKind == UETT_SizeOf || ExprKind == UETT_AlignOf || 4265 ExprKind == UETT_PreferredAlignOf || ExprKind == UETT_VecStep); 4266 if (IsUnevaluatedOperand) { 4267 ExprResult Result = CheckUnevaluatedOperand(E); 4268 if (Result.isInvalid()) 4269 return true; 4270 E = Result.get(); 4271 } 4272 4273 // The operand for sizeof and alignof is in an unevaluated expression context, 4274 // so side effects could result in unintended consequences. 4275 // Exclude instantiation-dependent expressions, because 'sizeof' is sometimes 4276 // used to build SFINAE gadgets. 4277 // FIXME: Should we consider instantiation-dependent operands to 'alignof'? 4278 if (IsUnevaluatedOperand && !inTemplateInstantiation() && 4279 !E->isInstantiationDependent() && 4280 !E->getType()->isVariableArrayType() && 4281 E->HasSideEffects(Context, false)) 4282 Diag(E->getExprLoc(), diag::warn_side_effects_unevaluated_context); 4283 4284 if (ExprKind == UETT_VecStep) 4285 return CheckVecStepTraitOperandType(*this, ExprTy, E->getExprLoc(), 4286 E->getSourceRange()); 4287 4288 // Explicitly list some types as extensions. 4289 if (!CheckExtensionTraitOperandType(*this, ExprTy, E->getExprLoc(), 4290 E->getSourceRange(), ExprKind)) 4291 return false; 4292 4293 // 'alignof' applied to an expression only requires the base element type of 4294 // the expression to be complete. 'sizeof' requires the expression's type to 4295 // be complete (and will attempt to complete it if it's an array of unknown 4296 // bound). 4297 if (ExprKind == UETT_AlignOf || ExprKind == UETT_PreferredAlignOf) { 4298 if (RequireCompleteSizedType( 4299 E->getExprLoc(), Context.getBaseElementType(E->getType()), 4300 diag::err_sizeof_alignof_incomplete_or_sizeless_type, 4301 getTraitSpelling(ExprKind), E->getSourceRange())) 4302 return true; 4303 } else { 4304 if (RequireCompleteSizedExprType( 4305 E, diag::err_sizeof_alignof_incomplete_or_sizeless_type, 4306 getTraitSpelling(ExprKind), E->getSourceRange())) 4307 return true; 4308 } 4309 4310 // Completing the expression's type may have changed it. 4311 ExprTy = E->getType(); 4312 assert(!ExprTy->isReferenceType()); 4313 4314 if (ExprTy->isFunctionType()) { 4315 Diag(E->getExprLoc(), diag::err_sizeof_alignof_function_type) 4316 << getTraitSpelling(ExprKind) << E->getSourceRange(); 4317 return true; 4318 } 4319 4320 if (CheckObjCTraitOperandConstraints(*this, ExprTy, E->getExprLoc(), 4321 E->getSourceRange(), ExprKind)) 4322 return true; 4323 4324 if (ExprKind == UETT_SizeOf) { 4325 if (DeclRefExpr *DeclRef = dyn_cast<DeclRefExpr>(E->IgnoreParens())) { 4326 if (ParmVarDecl *PVD = dyn_cast<ParmVarDecl>(DeclRef->getFoundDecl())) { 4327 QualType OType = PVD->getOriginalType(); 4328 QualType Type = PVD->getType(); 4329 if (Type->isPointerType() && OType->isArrayType()) { 4330 Diag(E->getExprLoc(), diag::warn_sizeof_array_param) 4331 << Type << OType; 4332 Diag(PVD->getLocation(), diag::note_declared_at); 4333 } 4334 } 4335 } 4336 4337 // Warn on "sizeof(array op x)" and "sizeof(x op array)", where the array 4338 // decays into a pointer and returns an unintended result. This is most 4339 // likely a typo for "sizeof(array) op x". 4340 if (BinaryOperator *BO = dyn_cast<BinaryOperator>(E->IgnoreParens())) { 4341 warnOnSizeofOnArrayDecay(*this, BO->getOperatorLoc(), BO->getType(), 4342 BO->getLHS()); 4343 warnOnSizeofOnArrayDecay(*this, BO->getOperatorLoc(), BO->getType(), 4344 BO->getRHS()); 4345 } 4346 } 4347 4348 return false; 4349 } 4350 4351 /// Check the constraints on operands to unary expression and type 4352 /// traits. 4353 /// 4354 /// This will complete any types necessary, and validate the various constraints 4355 /// on those operands. 4356 /// 4357 /// The UsualUnaryConversions() function is *not* called by this routine. 4358 /// C99 6.3.2.1p[2-4] all state: 4359 /// Except when it is the operand of the sizeof operator ... 4360 /// 4361 /// C++ [expr.sizeof]p4 4362 /// The lvalue-to-rvalue, array-to-pointer, and function-to-pointer 4363 /// standard conversions are not applied to the operand of sizeof. 4364 /// 4365 /// This policy is followed for all of the unary trait expressions. 4366 bool Sema::CheckUnaryExprOrTypeTraitOperand(QualType ExprType, 4367 SourceLocation OpLoc, 4368 SourceRange ExprRange, 4369 UnaryExprOrTypeTrait ExprKind) { 4370 if (ExprType->isDependentType()) 4371 return false; 4372 4373 // C++ [expr.sizeof]p2: 4374 // When applied to a reference or a reference type, the result 4375 // is the size of the referenced type. 4376 // C++11 [expr.alignof]p3: 4377 // When alignof is applied to a reference type, the result 4378 // shall be the alignment of the referenced type. 4379 if (const ReferenceType *Ref = ExprType->getAs<ReferenceType>()) 4380 ExprType = Ref->getPointeeType(); 4381 4382 // C11 6.5.3.4/3, C++11 [expr.alignof]p3: 4383 // When alignof or _Alignof is applied to an array type, the result 4384 // is the alignment of the element type. 4385 if (ExprKind == UETT_AlignOf || ExprKind == UETT_PreferredAlignOf || 4386 ExprKind == UETT_OpenMPRequiredSimdAlign) 4387 ExprType = Context.getBaseElementType(ExprType); 4388 4389 if (ExprKind == UETT_VecStep) 4390 return CheckVecStepTraitOperandType(*this, ExprType, OpLoc, ExprRange); 4391 4392 // Explicitly list some types as extensions. 4393 if (!CheckExtensionTraitOperandType(*this, ExprType, OpLoc, ExprRange, 4394 ExprKind)) 4395 return false; 4396 4397 if (RequireCompleteSizedType( 4398 OpLoc, ExprType, diag::err_sizeof_alignof_incomplete_or_sizeless_type, 4399 getTraitSpelling(ExprKind), ExprRange)) 4400 return true; 4401 4402 if (ExprType->isFunctionType()) { 4403 Diag(OpLoc, diag::err_sizeof_alignof_function_type) 4404 << getTraitSpelling(ExprKind) << ExprRange; 4405 return true; 4406 } 4407 4408 if (CheckObjCTraitOperandConstraints(*this, ExprType, OpLoc, ExprRange, 4409 ExprKind)) 4410 return true; 4411 4412 return false; 4413 } 4414 4415 static bool CheckAlignOfExpr(Sema &S, Expr *E, UnaryExprOrTypeTrait ExprKind) { 4416 // Cannot know anything else if the expression is dependent. 4417 if (E->isTypeDependent()) 4418 return false; 4419 4420 if (E->getObjectKind() == OK_BitField) { 4421 S.Diag(E->getExprLoc(), diag::err_sizeof_alignof_typeof_bitfield) 4422 << 1 << E->getSourceRange(); 4423 return true; 4424 } 4425 4426 ValueDecl *D = nullptr; 4427 Expr *Inner = E->IgnoreParens(); 4428 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Inner)) { 4429 D = DRE->getDecl(); 4430 } else if (MemberExpr *ME = dyn_cast<MemberExpr>(Inner)) { 4431 D = ME->getMemberDecl(); 4432 } 4433 4434 // If it's a field, require the containing struct to have a 4435 // complete definition so that we can compute the layout. 4436 // 4437 // This can happen in C++11 onwards, either by naming the member 4438 // in a way that is not transformed into a member access expression 4439 // (in an unevaluated operand, for instance), or by naming the member 4440 // in a trailing-return-type. 4441 // 4442 // For the record, since __alignof__ on expressions is a GCC 4443 // extension, GCC seems to permit this but always gives the 4444 // nonsensical answer 0. 4445 // 4446 // We don't really need the layout here --- we could instead just 4447 // directly check for all the appropriate alignment-lowing 4448 // attributes --- but that would require duplicating a lot of 4449 // logic that just isn't worth duplicating for such a marginal 4450 // use-case. 4451 if (FieldDecl *FD = dyn_cast_or_null<FieldDecl>(D)) { 4452 // Fast path this check, since we at least know the record has a 4453 // definition if we can find a member of it. 4454 if (!FD->getParent()->isCompleteDefinition()) { 4455 S.Diag(E->getExprLoc(), diag::err_alignof_member_of_incomplete_type) 4456 << E->getSourceRange(); 4457 return true; 4458 } 4459 4460 // Otherwise, if it's a field, and the field doesn't have 4461 // reference type, then it must have a complete type (or be a 4462 // flexible array member, which we explicitly want to 4463 // white-list anyway), which makes the following checks trivial. 4464 if (!FD->getType()->isReferenceType()) 4465 return false; 4466 } 4467 4468 return S.CheckUnaryExprOrTypeTraitOperand(E, ExprKind); 4469 } 4470 4471 bool Sema::CheckVecStepExpr(Expr *E) { 4472 E = E->IgnoreParens(); 4473 4474 // Cannot know anything else if the expression is dependent. 4475 if (E->isTypeDependent()) 4476 return false; 4477 4478 return CheckUnaryExprOrTypeTraitOperand(E, UETT_VecStep); 4479 } 4480 4481 static void captureVariablyModifiedType(ASTContext &Context, QualType T, 4482 CapturingScopeInfo *CSI) { 4483 assert(T->isVariablyModifiedType()); 4484 assert(CSI != nullptr); 4485 4486 // We're going to walk down into the type and look for VLA expressions. 4487 do { 4488 const Type *Ty = T.getTypePtr(); 4489 switch (Ty->getTypeClass()) { 4490 #define TYPE(Class, Base) 4491 #define ABSTRACT_TYPE(Class, Base) 4492 #define NON_CANONICAL_TYPE(Class, Base) 4493 #define DEPENDENT_TYPE(Class, Base) case Type::Class: 4494 #define NON_CANONICAL_UNLESS_DEPENDENT_TYPE(Class, Base) 4495 #include "clang/AST/TypeNodes.inc" 4496 T = QualType(); 4497 break; 4498 // These types are never variably-modified. 4499 case Type::Builtin: 4500 case Type::Complex: 4501 case Type::Vector: 4502 case Type::ExtVector: 4503 case Type::ConstantMatrix: 4504 case Type::Record: 4505 case Type::Enum: 4506 case Type::Elaborated: 4507 case Type::TemplateSpecialization: 4508 case Type::ObjCObject: 4509 case Type::ObjCInterface: 4510 case Type::ObjCObjectPointer: 4511 case Type::ObjCTypeParam: 4512 case Type::Pipe: 4513 case Type::BitInt: 4514 llvm_unreachable("type class is never variably-modified!"); 4515 case Type::Adjusted: 4516 T = cast<AdjustedType>(Ty)->getOriginalType(); 4517 break; 4518 case Type::Decayed: 4519 T = cast<DecayedType>(Ty)->getPointeeType(); 4520 break; 4521 case Type::Pointer: 4522 T = cast<PointerType>(Ty)->getPointeeType(); 4523 break; 4524 case Type::BlockPointer: 4525 T = cast<BlockPointerType>(Ty)->getPointeeType(); 4526 break; 4527 case Type::LValueReference: 4528 case Type::RValueReference: 4529 T = cast<ReferenceType>(Ty)->getPointeeType(); 4530 break; 4531 case Type::MemberPointer: 4532 T = cast<MemberPointerType>(Ty)->getPointeeType(); 4533 break; 4534 case Type::ConstantArray: 4535 case Type::IncompleteArray: 4536 // Losing element qualification here is fine. 4537 T = cast<ArrayType>(Ty)->getElementType(); 4538 break; 4539 case Type::VariableArray: { 4540 // Losing element qualification here is fine. 4541 const VariableArrayType *VAT = cast<VariableArrayType>(Ty); 4542 4543 // Unknown size indication requires no size computation. 4544 // Otherwise, evaluate and record it. 4545 auto Size = VAT->getSizeExpr(); 4546 if (Size && !CSI->isVLATypeCaptured(VAT) && 4547 (isa<CapturedRegionScopeInfo>(CSI) || isa<LambdaScopeInfo>(CSI))) 4548 CSI->addVLATypeCapture(Size->getExprLoc(), VAT, Context.getSizeType()); 4549 4550 T = VAT->getElementType(); 4551 break; 4552 } 4553 case Type::FunctionProto: 4554 case Type::FunctionNoProto: 4555 T = cast<FunctionType>(Ty)->getReturnType(); 4556 break; 4557 case Type::Paren: 4558 case Type::TypeOf: 4559 case Type::UnaryTransform: 4560 case Type::Attributed: 4561 case Type::BTFTagAttributed: 4562 case Type::SubstTemplateTypeParm: 4563 case Type::MacroQualified: 4564 // Keep walking after single level desugaring. 4565 T = T.getSingleStepDesugaredType(Context); 4566 break; 4567 case Type::Typedef: 4568 T = cast<TypedefType>(Ty)->desugar(); 4569 break; 4570 case Type::Decltype: 4571 T = cast<DecltypeType>(Ty)->desugar(); 4572 break; 4573 case Type::Using: 4574 T = cast<UsingType>(Ty)->desugar(); 4575 break; 4576 case Type::Auto: 4577 case Type::DeducedTemplateSpecialization: 4578 T = cast<DeducedType>(Ty)->getDeducedType(); 4579 break; 4580 case Type::TypeOfExpr: 4581 T = cast<TypeOfExprType>(Ty)->getUnderlyingExpr()->getType(); 4582 break; 4583 case Type::Atomic: 4584 T = cast<AtomicType>(Ty)->getValueType(); 4585 break; 4586 } 4587 } while (!T.isNull() && T->isVariablyModifiedType()); 4588 } 4589 4590 /// Build a sizeof or alignof expression given a type operand. 4591 ExprResult 4592 Sema::CreateUnaryExprOrTypeTraitExpr(TypeSourceInfo *TInfo, 4593 SourceLocation OpLoc, 4594 UnaryExprOrTypeTrait ExprKind, 4595 SourceRange R) { 4596 if (!TInfo) 4597 return ExprError(); 4598 4599 QualType T = TInfo->getType(); 4600 4601 if (!T->isDependentType() && 4602 CheckUnaryExprOrTypeTraitOperand(T, OpLoc, R, ExprKind)) 4603 return ExprError(); 4604 4605 if (T->isVariablyModifiedType() && FunctionScopes.size() > 1) { 4606 if (auto *TT = T->getAs<TypedefType>()) { 4607 for (auto I = FunctionScopes.rbegin(), 4608 E = std::prev(FunctionScopes.rend()); 4609 I != E; ++I) { 4610 auto *CSI = dyn_cast<CapturingScopeInfo>(*I); 4611 if (CSI == nullptr) 4612 break; 4613 DeclContext *DC = nullptr; 4614 if (auto *LSI = dyn_cast<LambdaScopeInfo>(CSI)) 4615 DC = LSI->CallOperator; 4616 else if (auto *CRSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) 4617 DC = CRSI->TheCapturedDecl; 4618 else if (auto *BSI = dyn_cast<BlockScopeInfo>(CSI)) 4619 DC = BSI->TheDecl; 4620 if (DC) { 4621 if (DC->containsDecl(TT->getDecl())) 4622 break; 4623 captureVariablyModifiedType(Context, T, CSI); 4624 } 4625 } 4626 } 4627 } 4628 4629 // C99 6.5.3.4p4: the type (an unsigned integer type) is size_t. 4630 if (isUnevaluatedContext() && ExprKind == UETT_SizeOf && 4631 TInfo->getType()->isVariablyModifiedType()) 4632 TInfo = TransformToPotentiallyEvaluated(TInfo); 4633 4634 return new (Context) UnaryExprOrTypeTraitExpr( 4635 ExprKind, TInfo, Context.getSizeType(), OpLoc, R.getEnd()); 4636 } 4637 4638 /// Build a sizeof or alignof expression given an expression 4639 /// operand. 4640 ExprResult 4641 Sema::CreateUnaryExprOrTypeTraitExpr(Expr *E, SourceLocation OpLoc, 4642 UnaryExprOrTypeTrait ExprKind) { 4643 ExprResult PE = CheckPlaceholderExpr(E); 4644 if (PE.isInvalid()) 4645 return ExprError(); 4646 4647 E = PE.get(); 4648 4649 // Verify that the operand is valid. 4650 bool isInvalid = false; 4651 if (E->isTypeDependent()) { 4652 // Delay type-checking for type-dependent expressions. 4653 } else if (ExprKind == UETT_AlignOf || ExprKind == UETT_PreferredAlignOf) { 4654 isInvalid = CheckAlignOfExpr(*this, E, ExprKind); 4655 } else if (ExprKind == UETT_VecStep) { 4656 isInvalid = CheckVecStepExpr(E); 4657 } else if (ExprKind == UETT_OpenMPRequiredSimdAlign) { 4658 Diag(E->getExprLoc(), diag::err_openmp_default_simd_align_expr); 4659 isInvalid = true; 4660 } else if (E->refersToBitField()) { // C99 6.5.3.4p1. 4661 Diag(E->getExprLoc(), diag::err_sizeof_alignof_typeof_bitfield) << 0; 4662 isInvalid = true; 4663 } else { 4664 isInvalid = CheckUnaryExprOrTypeTraitOperand(E, UETT_SizeOf); 4665 } 4666 4667 if (isInvalid) 4668 return ExprError(); 4669 4670 if (ExprKind == UETT_SizeOf && E->getType()->isVariableArrayType()) { 4671 PE = TransformToPotentiallyEvaluated(E); 4672 if (PE.isInvalid()) return ExprError(); 4673 E = PE.get(); 4674 } 4675 4676 // C99 6.5.3.4p4: the type (an unsigned integer type) is size_t. 4677 return new (Context) UnaryExprOrTypeTraitExpr( 4678 ExprKind, E, Context.getSizeType(), OpLoc, E->getSourceRange().getEnd()); 4679 } 4680 4681 /// ActOnUnaryExprOrTypeTraitExpr - Handle @c sizeof(type) and @c sizeof @c 4682 /// expr and the same for @c alignof and @c __alignof 4683 /// Note that the ArgRange is invalid if isType is false. 4684 ExprResult 4685 Sema::ActOnUnaryExprOrTypeTraitExpr(SourceLocation OpLoc, 4686 UnaryExprOrTypeTrait ExprKind, bool IsType, 4687 void *TyOrEx, SourceRange ArgRange) { 4688 // If error parsing type, ignore. 4689 if (!TyOrEx) return ExprError(); 4690 4691 if (IsType) { 4692 TypeSourceInfo *TInfo; 4693 (void) GetTypeFromParser(ParsedType::getFromOpaquePtr(TyOrEx), &TInfo); 4694 return CreateUnaryExprOrTypeTraitExpr(TInfo, OpLoc, ExprKind, ArgRange); 4695 } 4696 4697 Expr *ArgEx = (Expr *)TyOrEx; 4698 ExprResult Result = CreateUnaryExprOrTypeTraitExpr(ArgEx, OpLoc, ExprKind); 4699 return Result; 4700 } 4701 4702 static QualType CheckRealImagOperand(Sema &S, ExprResult &V, SourceLocation Loc, 4703 bool IsReal) { 4704 if (V.get()->isTypeDependent()) 4705 return S.Context.DependentTy; 4706 4707 // _Real and _Imag are only l-values for normal l-values. 4708 if (V.get()->getObjectKind() != OK_Ordinary) { 4709 V = S.DefaultLvalueConversion(V.get()); 4710 if (V.isInvalid()) 4711 return QualType(); 4712 } 4713 4714 // These operators return the element type of a complex type. 4715 if (const ComplexType *CT = V.get()->getType()->getAs<ComplexType>()) 4716 return CT->getElementType(); 4717 4718 // Otherwise they pass through real integer and floating point types here. 4719 if (V.get()->getType()->isArithmeticType()) 4720 return V.get()->getType(); 4721 4722 // Test for placeholders. 4723 ExprResult PR = S.CheckPlaceholderExpr(V.get()); 4724 if (PR.isInvalid()) return QualType(); 4725 if (PR.get() != V.get()) { 4726 V = PR; 4727 return CheckRealImagOperand(S, V, Loc, IsReal); 4728 } 4729 4730 // Reject anything else. 4731 S.Diag(Loc, diag::err_realimag_invalid_type) << V.get()->getType() 4732 << (IsReal ? "__real" : "__imag"); 4733 return QualType(); 4734 } 4735 4736 4737 4738 ExprResult 4739 Sema::ActOnPostfixUnaryOp(Scope *S, SourceLocation OpLoc, 4740 tok::TokenKind Kind, Expr *Input) { 4741 UnaryOperatorKind Opc; 4742 switch (Kind) { 4743 default: llvm_unreachable("Unknown unary op!"); 4744 case tok::plusplus: Opc = UO_PostInc; break; 4745 case tok::minusminus: Opc = UO_PostDec; break; 4746 } 4747 4748 // Since this might is a postfix expression, get rid of ParenListExprs. 4749 ExprResult Result = MaybeConvertParenListExprToParenExpr(S, Input); 4750 if (Result.isInvalid()) return ExprError(); 4751 Input = Result.get(); 4752 4753 return BuildUnaryOp(S, OpLoc, Opc, Input); 4754 } 4755 4756 /// Diagnose if arithmetic on the given ObjC pointer is illegal. 4757 /// 4758 /// \return true on error 4759 static bool checkArithmeticOnObjCPointer(Sema &S, 4760 SourceLocation opLoc, 4761 Expr *op) { 4762 assert(op->getType()->isObjCObjectPointerType()); 4763 if (S.LangOpts.ObjCRuntime.allowsPointerArithmetic() && 4764 !S.LangOpts.ObjCSubscriptingLegacyRuntime) 4765 return false; 4766 4767 S.Diag(opLoc, diag::err_arithmetic_nonfragile_interface) 4768 << op->getType()->castAs<ObjCObjectPointerType>()->getPointeeType() 4769 << op->getSourceRange(); 4770 return true; 4771 } 4772 4773 static bool isMSPropertySubscriptExpr(Sema &S, Expr *Base) { 4774 auto *BaseNoParens = Base->IgnoreParens(); 4775 if (auto *MSProp = dyn_cast<MSPropertyRefExpr>(BaseNoParens)) 4776 return MSProp->getPropertyDecl()->getType()->isArrayType(); 4777 return isa<MSPropertySubscriptExpr>(BaseNoParens); 4778 } 4779 4780 // Returns the type used for LHS[RHS], given one of LHS, RHS is type-dependent. 4781 // Typically this is DependentTy, but can sometimes be more precise. 4782 // 4783 // There are cases when we could determine a non-dependent type: 4784 // - LHS and RHS may have non-dependent types despite being type-dependent 4785 // (e.g. unbounded array static members of the current instantiation) 4786 // - one may be a dependent-sized array with known element type 4787 // - one may be a dependent-typed valid index (enum in current instantiation) 4788 // 4789 // We *always* return a dependent type, in such cases it is DependentTy. 4790 // This avoids creating type-dependent expressions with non-dependent types. 4791 // FIXME: is this important to avoid? See https://reviews.llvm.org/D107275 4792 static QualType getDependentArraySubscriptType(Expr *LHS, Expr *RHS, 4793 const ASTContext &Ctx) { 4794 assert(LHS->isTypeDependent() || RHS->isTypeDependent()); 4795 QualType LTy = LHS->getType(), RTy = RHS->getType(); 4796 QualType Result = Ctx.DependentTy; 4797 if (RTy->isIntegralOrUnscopedEnumerationType()) { 4798 if (const PointerType *PT = LTy->getAs<PointerType>()) 4799 Result = PT->getPointeeType(); 4800 else if (const ArrayType *AT = LTy->getAsArrayTypeUnsafe()) 4801 Result = AT->getElementType(); 4802 } else if (LTy->isIntegralOrUnscopedEnumerationType()) { 4803 if (const PointerType *PT = RTy->getAs<PointerType>()) 4804 Result = PT->getPointeeType(); 4805 else if (const ArrayType *AT = RTy->getAsArrayTypeUnsafe()) 4806 Result = AT->getElementType(); 4807 } 4808 // Ensure we return a dependent type. 4809 return Result->isDependentType() ? Result : Ctx.DependentTy; 4810 } 4811 4812 static bool checkArgsForPlaceholders(Sema &S, MultiExprArg args); 4813 4814 ExprResult Sema::ActOnArraySubscriptExpr(Scope *S, Expr *base, 4815 SourceLocation lbLoc, 4816 MultiExprArg ArgExprs, 4817 SourceLocation rbLoc) { 4818 4819 if (base && !base->getType().isNull() && 4820 base->hasPlaceholderType(BuiltinType::OMPArraySection)) 4821 return ActOnOMPArraySectionExpr(base, lbLoc, ArgExprs.front(), SourceLocation(), 4822 SourceLocation(), /*Length*/ nullptr, 4823 /*Stride=*/nullptr, rbLoc); 4824 4825 // Since this might be a postfix expression, get rid of ParenListExprs. 4826 if (isa<ParenListExpr>(base)) { 4827 ExprResult result = MaybeConvertParenListExprToParenExpr(S, base); 4828 if (result.isInvalid()) 4829 return ExprError(); 4830 base = result.get(); 4831 } 4832 4833 // Check if base and idx form a MatrixSubscriptExpr. 4834 // 4835 // Helper to check for comma expressions, which are not allowed as indices for 4836 // matrix subscript expressions. 4837 auto CheckAndReportCommaError = [this, base, rbLoc](Expr *E) { 4838 if (isa<BinaryOperator>(E) && cast<BinaryOperator>(E)->isCommaOp()) { 4839 Diag(E->getExprLoc(), diag::err_matrix_subscript_comma) 4840 << SourceRange(base->getBeginLoc(), rbLoc); 4841 return true; 4842 } 4843 return false; 4844 }; 4845 // The matrix subscript operator ([][])is considered a single operator. 4846 // Separating the index expressions by parenthesis is not allowed. 4847 if (base->hasPlaceholderType(BuiltinType::IncompleteMatrixIdx) && 4848 !isa<MatrixSubscriptExpr>(base)) { 4849 Diag(base->getExprLoc(), diag::err_matrix_separate_incomplete_index) 4850 << SourceRange(base->getBeginLoc(), rbLoc); 4851 return ExprError(); 4852 } 4853 // If the base is a MatrixSubscriptExpr, try to create a new 4854 // MatrixSubscriptExpr. 4855 auto *matSubscriptE = dyn_cast<MatrixSubscriptExpr>(base); 4856 if (matSubscriptE) { 4857 assert(ArgExprs.size() == 1); 4858 if (CheckAndReportCommaError(ArgExprs.front())) 4859 return ExprError(); 4860 4861 assert(matSubscriptE->isIncomplete() && 4862 "base has to be an incomplete matrix subscript"); 4863 return CreateBuiltinMatrixSubscriptExpr(matSubscriptE->getBase(), 4864 matSubscriptE->getRowIdx(), 4865 ArgExprs.front(), rbLoc); 4866 } 4867 4868 // Handle any non-overload placeholder types in the base and index 4869 // expressions. We can't handle overloads here because the other 4870 // operand might be an overloadable type, in which case the overload 4871 // resolution for the operator overload should get the first crack 4872 // at the overload. 4873 bool IsMSPropertySubscript = false; 4874 if (base->getType()->isNonOverloadPlaceholderType()) { 4875 IsMSPropertySubscript = isMSPropertySubscriptExpr(*this, base); 4876 if (!IsMSPropertySubscript) { 4877 ExprResult result = CheckPlaceholderExpr(base); 4878 if (result.isInvalid()) 4879 return ExprError(); 4880 base = result.get(); 4881 } 4882 } 4883 4884 // If the base is a matrix type, try to create a new MatrixSubscriptExpr. 4885 if (base->getType()->isMatrixType()) { 4886 assert(ArgExprs.size() == 1); 4887 if (CheckAndReportCommaError(ArgExprs.front())) 4888 return ExprError(); 4889 4890 return CreateBuiltinMatrixSubscriptExpr(base, ArgExprs.front(), nullptr, 4891 rbLoc); 4892 } 4893 4894 if (ArgExprs.size() == 1 && getLangOpts().CPlusPlus20) { 4895 Expr *idx = ArgExprs[0]; 4896 if ((isa<BinaryOperator>(idx) && cast<BinaryOperator>(idx)->isCommaOp()) || 4897 (isa<CXXOperatorCallExpr>(idx) && 4898 cast<CXXOperatorCallExpr>(idx)->getOperator() == OO_Comma)) { 4899 Diag(idx->getExprLoc(), diag::warn_deprecated_comma_subscript) 4900 << SourceRange(base->getBeginLoc(), rbLoc); 4901 } 4902 } 4903 4904 if (ArgExprs.size() == 1 && 4905 ArgExprs[0]->getType()->isNonOverloadPlaceholderType()) { 4906 ExprResult result = CheckPlaceholderExpr(ArgExprs[0]); 4907 if (result.isInvalid()) 4908 return ExprError(); 4909 ArgExprs[0] = result.get(); 4910 } else { 4911 if (checkArgsForPlaceholders(*this, ArgExprs)) 4912 return ExprError(); 4913 } 4914 4915 // Build an unanalyzed expression if either operand is type-dependent. 4916 if (getLangOpts().CPlusPlus && ArgExprs.size() == 1 && 4917 (base->isTypeDependent() || 4918 Expr::hasAnyTypeDependentArguments(ArgExprs))) { 4919 return new (Context) ArraySubscriptExpr( 4920 base, ArgExprs.front(), 4921 getDependentArraySubscriptType(base, ArgExprs.front(), getASTContext()), 4922 VK_LValue, OK_Ordinary, rbLoc); 4923 } 4924 4925 // MSDN, property (C++) 4926 // https://msdn.microsoft.com/en-us/library/yhfk0thd(v=vs.120).aspx 4927 // This attribute can also be used in the declaration of an empty array in a 4928 // class or structure definition. For example: 4929 // __declspec(property(get=GetX, put=PutX)) int x[]; 4930 // The above statement indicates that x[] can be used with one or more array 4931 // indices. In this case, i=p->x[a][b] will be turned into i=p->GetX(a, b), 4932 // and p->x[a][b] = i will be turned into p->PutX(a, b, i); 4933 if (IsMSPropertySubscript) { 4934 assert(ArgExprs.size() == 1); 4935 // Build MS property subscript expression if base is MS property reference 4936 // or MS property subscript. 4937 return new (Context) 4938 MSPropertySubscriptExpr(base, ArgExprs.front(), Context.PseudoObjectTy, 4939 VK_LValue, OK_Ordinary, rbLoc); 4940 } 4941 4942 // Use C++ overloaded-operator rules if either operand has record 4943 // type. The spec says to do this if either type is *overloadable*, 4944 // but enum types can't declare subscript operators or conversion 4945 // operators, so there's nothing interesting for overload resolution 4946 // to do if there aren't any record types involved. 4947 // 4948 // ObjC pointers have their own subscripting logic that is not tied 4949 // to overload resolution and so should not take this path. 4950 if (getLangOpts().CPlusPlus && !base->getType()->isObjCObjectPointerType() && 4951 ((base->getType()->isRecordType() || 4952 (ArgExprs.size() != 1 || ArgExprs[0]->getType()->isRecordType())))) { 4953 return CreateOverloadedArraySubscriptExpr(lbLoc, rbLoc, base, ArgExprs); 4954 } 4955 4956 ExprResult Res = 4957 CreateBuiltinArraySubscriptExpr(base, lbLoc, ArgExprs.front(), rbLoc); 4958 4959 if (!Res.isInvalid() && isa<ArraySubscriptExpr>(Res.get())) 4960 CheckSubscriptAccessOfNoDeref(cast<ArraySubscriptExpr>(Res.get())); 4961 4962 return Res; 4963 } 4964 4965 ExprResult Sema::tryConvertExprToType(Expr *E, QualType Ty) { 4966 InitializedEntity Entity = InitializedEntity::InitializeTemporary(Ty); 4967 InitializationKind Kind = 4968 InitializationKind::CreateCopy(E->getBeginLoc(), SourceLocation()); 4969 InitializationSequence InitSeq(*this, Entity, Kind, E); 4970 return InitSeq.Perform(*this, Entity, Kind, E); 4971 } 4972 4973 ExprResult Sema::CreateBuiltinMatrixSubscriptExpr(Expr *Base, Expr *RowIdx, 4974 Expr *ColumnIdx, 4975 SourceLocation RBLoc) { 4976 ExprResult BaseR = CheckPlaceholderExpr(Base); 4977 if (BaseR.isInvalid()) 4978 return BaseR; 4979 Base = BaseR.get(); 4980 4981 ExprResult RowR = CheckPlaceholderExpr(RowIdx); 4982 if (RowR.isInvalid()) 4983 return RowR; 4984 RowIdx = RowR.get(); 4985 4986 if (!ColumnIdx) 4987 return new (Context) MatrixSubscriptExpr( 4988 Base, RowIdx, ColumnIdx, Context.IncompleteMatrixIdxTy, RBLoc); 4989 4990 // Build an unanalyzed expression if any of the operands is type-dependent. 4991 if (Base->isTypeDependent() || RowIdx->isTypeDependent() || 4992 ColumnIdx->isTypeDependent()) 4993 return new (Context) MatrixSubscriptExpr(Base, RowIdx, ColumnIdx, 4994 Context.DependentTy, RBLoc); 4995 4996 ExprResult ColumnR = CheckPlaceholderExpr(ColumnIdx); 4997 if (ColumnR.isInvalid()) 4998 return ColumnR; 4999 ColumnIdx = ColumnR.get(); 5000 5001 // Check that IndexExpr is an integer expression. If it is a constant 5002 // expression, check that it is less than Dim (= the number of elements in the 5003 // corresponding dimension). 5004 auto IsIndexValid = [&](Expr *IndexExpr, unsigned Dim, 5005 bool IsColumnIdx) -> Expr * { 5006 if (!IndexExpr->getType()->isIntegerType() && 5007 !IndexExpr->isTypeDependent()) { 5008 Diag(IndexExpr->getBeginLoc(), diag::err_matrix_index_not_integer) 5009 << IsColumnIdx; 5010 return nullptr; 5011 } 5012 5013 if (Optional<llvm::APSInt> Idx = 5014 IndexExpr->getIntegerConstantExpr(Context)) { 5015 if ((*Idx < 0 || *Idx >= Dim)) { 5016 Diag(IndexExpr->getBeginLoc(), diag::err_matrix_index_outside_range) 5017 << IsColumnIdx << Dim; 5018 return nullptr; 5019 } 5020 } 5021 5022 ExprResult ConvExpr = 5023 tryConvertExprToType(IndexExpr, Context.getSizeType()); 5024 assert(!ConvExpr.isInvalid() && 5025 "should be able to convert any integer type to size type"); 5026 return ConvExpr.get(); 5027 }; 5028 5029 auto *MTy = Base->getType()->getAs<ConstantMatrixType>(); 5030 RowIdx = IsIndexValid(RowIdx, MTy->getNumRows(), false); 5031 ColumnIdx = IsIndexValid(ColumnIdx, MTy->getNumColumns(), true); 5032 if (!RowIdx || !ColumnIdx) 5033 return ExprError(); 5034 5035 return new (Context) MatrixSubscriptExpr(Base, RowIdx, ColumnIdx, 5036 MTy->getElementType(), RBLoc); 5037 } 5038 5039 void Sema::CheckAddressOfNoDeref(const Expr *E) { 5040 ExpressionEvaluationContextRecord &LastRecord = ExprEvalContexts.back(); 5041 const Expr *StrippedExpr = E->IgnoreParenImpCasts(); 5042 5043 // For expressions like `&(*s).b`, the base is recorded and what should be 5044 // checked. 5045 const MemberExpr *Member = nullptr; 5046 while ((Member = dyn_cast<MemberExpr>(StrippedExpr)) && !Member->isArrow()) 5047 StrippedExpr = Member->getBase()->IgnoreParenImpCasts(); 5048 5049 LastRecord.PossibleDerefs.erase(StrippedExpr); 5050 } 5051 5052 void Sema::CheckSubscriptAccessOfNoDeref(const ArraySubscriptExpr *E) { 5053 if (isUnevaluatedContext()) 5054 return; 5055 5056 QualType ResultTy = E->getType(); 5057 ExpressionEvaluationContextRecord &LastRecord = ExprEvalContexts.back(); 5058 5059 // Bail if the element is an array since it is not memory access. 5060 if (isa<ArrayType>(ResultTy)) 5061 return; 5062 5063 if (ResultTy->hasAttr(attr::NoDeref)) { 5064 LastRecord.PossibleDerefs.insert(E); 5065 return; 5066 } 5067 5068 // Check if the base type is a pointer to a member access of a struct 5069 // marked with noderef. 5070 const Expr *Base = E->getBase(); 5071 QualType BaseTy = Base->getType(); 5072 if (!(isa<ArrayType>(BaseTy) || isa<PointerType>(BaseTy))) 5073 // Not a pointer access 5074 return; 5075 5076 const MemberExpr *Member = nullptr; 5077 while ((Member = dyn_cast<MemberExpr>(Base->IgnoreParenCasts())) && 5078 Member->isArrow()) 5079 Base = Member->getBase(); 5080 5081 if (const auto *Ptr = dyn_cast<PointerType>(Base->getType())) { 5082 if (Ptr->getPointeeType()->hasAttr(attr::NoDeref)) 5083 LastRecord.PossibleDerefs.insert(E); 5084 } 5085 } 5086 5087 ExprResult Sema::ActOnOMPArraySectionExpr(Expr *Base, SourceLocation LBLoc, 5088 Expr *LowerBound, 5089 SourceLocation ColonLocFirst, 5090 SourceLocation ColonLocSecond, 5091 Expr *Length, Expr *Stride, 5092 SourceLocation RBLoc) { 5093 if (Base->hasPlaceholderType() && 5094 !Base->hasPlaceholderType(BuiltinType::OMPArraySection)) { 5095 ExprResult Result = CheckPlaceholderExpr(Base); 5096 if (Result.isInvalid()) 5097 return ExprError(); 5098 Base = Result.get(); 5099 } 5100 if (LowerBound && LowerBound->getType()->isNonOverloadPlaceholderType()) { 5101 ExprResult Result = CheckPlaceholderExpr(LowerBound); 5102 if (Result.isInvalid()) 5103 return ExprError(); 5104 Result = DefaultLvalueConversion(Result.get()); 5105 if (Result.isInvalid()) 5106 return ExprError(); 5107 LowerBound = Result.get(); 5108 } 5109 if (Length && Length->getType()->isNonOverloadPlaceholderType()) { 5110 ExprResult Result = CheckPlaceholderExpr(Length); 5111 if (Result.isInvalid()) 5112 return ExprError(); 5113 Result = DefaultLvalueConversion(Result.get()); 5114 if (Result.isInvalid()) 5115 return ExprError(); 5116 Length = Result.get(); 5117 } 5118 if (Stride && Stride->getType()->isNonOverloadPlaceholderType()) { 5119 ExprResult Result = CheckPlaceholderExpr(Stride); 5120 if (Result.isInvalid()) 5121 return ExprError(); 5122 Result = DefaultLvalueConversion(Result.get()); 5123 if (Result.isInvalid()) 5124 return ExprError(); 5125 Stride = Result.get(); 5126 } 5127 5128 // Build an unanalyzed expression if either operand is type-dependent. 5129 if (Base->isTypeDependent() || 5130 (LowerBound && 5131 (LowerBound->isTypeDependent() || LowerBound->isValueDependent())) || 5132 (Length && (Length->isTypeDependent() || Length->isValueDependent())) || 5133 (Stride && (Stride->isTypeDependent() || Stride->isValueDependent()))) { 5134 return new (Context) OMPArraySectionExpr( 5135 Base, LowerBound, Length, Stride, Context.DependentTy, VK_LValue, 5136 OK_Ordinary, ColonLocFirst, ColonLocSecond, RBLoc); 5137 } 5138 5139 // Perform default conversions. 5140 QualType OriginalTy = OMPArraySectionExpr::getBaseOriginalType(Base); 5141 QualType ResultTy; 5142 if (OriginalTy->isAnyPointerType()) { 5143 ResultTy = OriginalTy->getPointeeType(); 5144 } else if (OriginalTy->isArrayType()) { 5145 ResultTy = OriginalTy->getAsArrayTypeUnsafe()->getElementType(); 5146 } else { 5147 return ExprError( 5148 Diag(Base->getExprLoc(), diag::err_omp_typecheck_section_value) 5149 << Base->getSourceRange()); 5150 } 5151 // C99 6.5.2.1p1 5152 if (LowerBound) { 5153 auto Res = PerformOpenMPImplicitIntegerConversion(LowerBound->getExprLoc(), 5154 LowerBound); 5155 if (Res.isInvalid()) 5156 return ExprError(Diag(LowerBound->getExprLoc(), 5157 diag::err_omp_typecheck_section_not_integer) 5158 << 0 << LowerBound->getSourceRange()); 5159 LowerBound = Res.get(); 5160 5161 if (LowerBound->getType()->isSpecificBuiltinType(BuiltinType::Char_S) || 5162 LowerBound->getType()->isSpecificBuiltinType(BuiltinType::Char_U)) 5163 Diag(LowerBound->getExprLoc(), diag::warn_omp_section_is_char) 5164 << 0 << LowerBound->getSourceRange(); 5165 } 5166 if (Length) { 5167 auto Res = 5168 PerformOpenMPImplicitIntegerConversion(Length->getExprLoc(), Length); 5169 if (Res.isInvalid()) 5170 return ExprError(Diag(Length->getExprLoc(), 5171 diag::err_omp_typecheck_section_not_integer) 5172 << 1 << Length->getSourceRange()); 5173 Length = Res.get(); 5174 5175 if (Length->getType()->isSpecificBuiltinType(BuiltinType::Char_S) || 5176 Length->getType()->isSpecificBuiltinType(BuiltinType::Char_U)) 5177 Diag(Length->getExprLoc(), diag::warn_omp_section_is_char) 5178 << 1 << Length->getSourceRange(); 5179 } 5180 if (Stride) { 5181 ExprResult Res = 5182 PerformOpenMPImplicitIntegerConversion(Stride->getExprLoc(), Stride); 5183 if (Res.isInvalid()) 5184 return ExprError(Diag(Stride->getExprLoc(), 5185 diag::err_omp_typecheck_section_not_integer) 5186 << 1 << Stride->getSourceRange()); 5187 Stride = Res.get(); 5188 5189 if (Stride->getType()->isSpecificBuiltinType(BuiltinType::Char_S) || 5190 Stride->getType()->isSpecificBuiltinType(BuiltinType::Char_U)) 5191 Diag(Stride->getExprLoc(), diag::warn_omp_section_is_char) 5192 << 1 << Stride->getSourceRange(); 5193 } 5194 5195 // C99 6.5.2.1p1: "shall have type "pointer to *object* type". Similarly, 5196 // C++ [expr.sub]p1: The type "T" shall be a completely-defined object 5197 // type. Note that functions are not objects, and that (in C99 parlance) 5198 // incomplete types are not object types. 5199 if (ResultTy->isFunctionType()) { 5200 Diag(Base->getExprLoc(), diag::err_omp_section_function_type) 5201 << ResultTy << Base->getSourceRange(); 5202 return ExprError(); 5203 } 5204 5205 if (RequireCompleteType(Base->getExprLoc(), ResultTy, 5206 diag::err_omp_section_incomplete_type, Base)) 5207 return ExprError(); 5208 5209 if (LowerBound && !OriginalTy->isAnyPointerType()) { 5210 Expr::EvalResult Result; 5211 if (LowerBound->EvaluateAsInt(Result, Context)) { 5212 // OpenMP 5.0, [2.1.5 Array Sections] 5213 // The array section must be a subset of the original array. 5214 llvm::APSInt LowerBoundValue = Result.Val.getInt(); 5215 if (LowerBoundValue.isNegative()) { 5216 Diag(LowerBound->getExprLoc(), diag::err_omp_section_not_subset_of_array) 5217 << LowerBound->getSourceRange(); 5218 return ExprError(); 5219 } 5220 } 5221 } 5222 5223 if (Length) { 5224 Expr::EvalResult Result; 5225 if (Length->EvaluateAsInt(Result, Context)) { 5226 // OpenMP 5.0, [2.1.5 Array Sections] 5227 // The length must evaluate to non-negative integers. 5228 llvm::APSInt LengthValue = Result.Val.getInt(); 5229 if (LengthValue.isNegative()) { 5230 Diag(Length->getExprLoc(), diag::err_omp_section_length_negative) 5231 << toString(LengthValue, /*Radix=*/10, /*Signed=*/true) 5232 << Length->getSourceRange(); 5233 return ExprError(); 5234 } 5235 } 5236 } else if (ColonLocFirst.isValid() && 5237 (OriginalTy.isNull() || (!OriginalTy->isConstantArrayType() && 5238 !OriginalTy->isVariableArrayType()))) { 5239 // OpenMP 5.0, [2.1.5 Array Sections] 5240 // When the size of the array dimension is not known, the length must be 5241 // specified explicitly. 5242 Diag(ColonLocFirst, diag::err_omp_section_length_undefined) 5243 << (!OriginalTy.isNull() && OriginalTy->isArrayType()); 5244 return ExprError(); 5245 } 5246 5247 if (Stride) { 5248 Expr::EvalResult Result; 5249 if (Stride->EvaluateAsInt(Result, Context)) { 5250 // OpenMP 5.0, [2.1.5 Array Sections] 5251 // The stride must evaluate to a positive integer. 5252 llvm::APSInt StrideValue = Result.Val.getInt(); 5253 if (!StrideValue.isStrictlyPositive()) { 5254 Diag(Stride->getExprLoc(), diag::err_omp_section_stride_non_positive) 5255 << toString(StrideValue, /*Radix=*/10, /*Signed=*/true) 5256 << Stride->getSourceRange(); 5257 return ExprError(); 5258 } 5259 } 5260 } 5261 5262 if (!Base->hasPlaceholderType(BuiltinType::OMPArraySection)) { 5263 ExprResult Result = DefaultFunctionArrayLvalueConversion(Base); 5264 if (Result.isInvalid()) 5265 return ExprError(); 5266 Base = Result.get(); 5267 } 5268 return new (Context) OMPArraySectionExpr( 5269 Base, LowerBound, Length, Stride, Context.OMPArraySectionTy, VK_LValue, 5270 OK_Ordinary, ColonLocFirst, ColonLocSecond, RBLoc); 5271 } 5272 5273 ExprResult Sema::ActOnOMPArrayShapingExpr(Expr *Base, SourceLocation LParenLoc, 5274 SourceLocation RParenLoc, 5275 ArrayRef<Expr *> Dims, 5276 ArrayRef<SourceRange> Brackets) { 5277 if (Base->hasPlaceholderType()) { 5278 ExprResult Result = CheckPlaceholderExpr(Base); 5279 if (Result.isInvalid()) 5280 return ExprError(); 5281 Result = DefaultLvalueConversion(Result.get()); 5282 if (Result.isInvalid()) 5283 return ExprError(); 5284 Base = Result.get(); 5285 } 5286 QualType BaseTy = Base->getType(); 5287 // Delay analysis of the types/expressions if instantiation/specialization is 5288 // required. 5289 if (!BaseTy->isPointerType() && Base->isTypeDependent()) 5290 return OMPArrayShapingExpr::Create(Context, Context.DependentTy, Base, 5291 LParenLoc, RParenLoc, Dims, Brackets); 5292 if (!BaseTy->isPointerType() || 5293 (!Base->isTypeDependent() && 5294 BaseTy->getPointeeType()->isIncompleteType())) 5295 return ExprError(Diag(Base->getExprLoc(), 5296 diag::err_omp_non_pointer_type_array_shaping_base) 5297 << Base->getSourceRange()); 5298 5299 SmallVector<Expr *, 4> NewDims; 5300 bool ErrorFound = false; 5301 for (Expr *Dim : Dims) { 5302 if (Dim->hasPlaceholderType()) { 5303 ExprResult Result = CheckPlaceholderExpr(Dim); 5304 if (Result.isInvalid()) { 5305 ErrorFound = true; 5306 continue; 5307 } 5308 Result = DefaultLvalueConversion(Result.get()); 5309 if (Result.isInvalid()) { 5310 ErrorFound = true; 5311 continue; 5312 } 5313 Dim = Result.get(); 5314 } 5315 if (!Dim->isTypeDependent()) { 5316 ExprResult Result = 5317 PerformOpenMPImplicitIntegerConversion(Dim->getExprLoc(), Dim); 5318 if (Result.isInvalid()) { 5319 ErrorFound = true; 5320 Diag(Dim->getExprLoc(), diag::err_omp_typecheck_shaping_not_integer) 5321 << Dim->getSourceRange(); 5322 continue; 5323 } 5324 Dim = Result.get(); 5325 Expr::EvalResult EvResult; 5326 if (!Dim->isValueDependent() && Dim->EvaluateAsInt(EvResult, Context)) { 5327 // OpenMP 5.0, [2.1.4 Array Shaping] 5328 // Each si is an integral type expression that must evaluate to a 5329 // positive integer. 5330 llvm::APSInt Value = EvResult.Val.getInt(); 5331 if (!Value.isStrictlyPositive()) { 5332 Diag(Dim->getExprLoc(), diag::err_omp_shaping_dimension_not_positive) 5333 << toString(Value, /*Radix=*/10, /*Signed=*/true) 5334 << Dim->getSourceRange(); 5335 ErrorFound = true; 5336 continue; 5337 } 5338 } 5339 } 5340 NewDims.push_back(Dim); 5341 } 5342 if (ErrorFound) 5343 return ExprError(); 5344 return OMPArrayShapingExpr::Create(Context, Context.OMPArrayShapingTy, Base, 5345 LParenLoc, RParenLoc, NewDims, Brackets); 5346 } 5347 5348 ExprResult Sema::ActOnOMPIteratorExpr(Scope *S, SourceLocation IteratorKwLoc, 5349 SourceLocation LLoc, SourceLocation RLoc, 5350 ArrayRef<OMPIteratorData> Data) { 5351 SmallVector<OMPIteratorExpr::IteratorDefinition, 4> ID; 5352 bool IsCorrect = true; 5353 for (const OMPIteratorData &D : Data) { 5354 TypeSourceInfo *TInfo = nullptr; 5355 SourceLocation StartLoc; 5356 QualType DeclTy; 5357 if (!D.Type.getAsOpaquePtr()) { 5358 // OpenMP 5.0, 2.1.6 Iterators 5359 // In an iterator-specifier, if the iterator-type is not specified then 5360 // the type of that iterator is of int type. 5361 DeclTy = Context.IntTy; 5362 StartLoc = D.DeclIdentLoc; 5363 } else { 5364 DeclTy = GetTypeFromParser(D.Type, &TInfo); 5365 StartLoc = TInfo->getTypeLoc().getBeginLoc(); 5366 } 5367 5368 bool IsDeclTyDependent = DeclTy->isDependentType() || 5369 DeclTy->containsUnexpandedParameterPack() || 5370 DeclTy->isInstantiationDependentType(); 5371 if (!IsDeclTyDependent) { 5372 if (!DeclTy->isIntegralType(Context) && !DeclTy->isAnyPointerType()) { 5373 // OpenMP 5.0, 2.1.6 Iterators, Restrictions, C/C++ 5374 // The iterator-type must be an integral or pointer type. 5375 Diag(StartLoc, diag::err_omp_iterator_not_integral_or_pointer) 5376 << DeclTy; 5377 IsCorrect = false; 5378 continue; 5379 } 5380 if (DeclTy.isConstant(Context)) { 5381 // OpenMP 5.0, 2.1.6 Iterators, Restrictions, C/C++ 5382 // The iterator-type must not be const qualified. 5383 Diag(StartLoc, diag::err_omp_iterator_not_integral_or_pointer) 5384 << DeclTy; 5385 IsCorrect = false; 5386 continue; 5387 } 5388 } 5389 5390 // Iterator declaration. 5391 assert(D.DeclIdent && "Identifier expected."); 5392 // Always try to create iterator declarator to avoid extra error messages 5393 // about unknown declarations use. 5394 auto *VD = VarDecl::Create(Context, CurContext, StartLoc, D.DeclIdentLoc, 5395 D.DeclIdent, DeclTy, TInfo, SC_None); 5396 VD->setImplicit(); 5397 if (S) { 5398 // Check for conflicting previous declaration. 5399 DeclarationNameInfo NameInfo(VD->getDeclName(), D.DeclIdentLoc); 5400 LookupResult Previous(*this, NameInfo, LookupOrdinaryName, 5401 ForVisibleRedeclaration); 5402 Previous.suppressDiagnostics(); 5403 LookupName(Previous, S); 5404 5405 FilterLookupForScope(Previous, CurContext, S, /*ConsiderLinkage=*/false, 5406 /*AllowInlineNamespace=*/false); 5407 if (!Previous.empty()) { 5408 NamedDecl *Old = Previous.getRepresentativeDecl(); 5409 Diag(D.DeclIdentLoc, diag::err_redefinition) << VD->getDeclName(); 5410 Diag(Old->getLocation(), diag::note_previous_definition); 5411 } else { 5412 PushOnScopeChains(VD, S); 5413 } 5414 } else { 5415 CurContext->addDecl(VD); 5416 } 5417 Expr *Begin = D.Range.Begin; 5418 if (!IsDeclTyDependent && Begin && !Begin->isTypeDependent()) { 5419 ExprResult BeginRes = 5420 PerformImplicitConversion(Begin, DeclTy, AA_Converting); 5421 Begin = BeginRes.get(); 5422 } 5423 Expr *End = D.Range.End; 5424 if (!IsDeclTyDependent && End && !End->isTypeDependent()) { 5425 ExprResult EndRes = PerformImplicitConversion(End, DeclTy, AA_Converting); 5426 End = EndRes.get(); 5427 } 5428 Expr *Step = D.Range.Step; 5429 if (!IsDeclTyDependent && Step && !Step->isTypeDependent()) { 5430 if (!Step->getType()->isIntegralType(Context)) { 5431 Diag(Step->getExprLoc(), diag::err_omp_iterator_step_not_integral) 5432 << Step << Step->getSourceRange(); 5433 IsCorrect = false; 5434 continue; 5435 } 5436 Optional<llvm::APSInt> Result = Step->getIntegerConstantExpr(Context); 5437 // OpenMP 5.0, 2.1.6 Iterators, Restrictions 5438 // If the step expression of a range-specification equals zero, the 5439 // behavior is unspecified. 5440 if (Result && Result->isZero()) { 5441 Diag(Step->getExprLoc(), diag::err_omp_iterator_step_constant_zero) 5442 << Step << Step->getSourceRange(); 5443 IsCorrect = false; 5444 continue; 5445 } 5446 } 5447 if (!Begin || !End || !IsCorrect) { 5448 IsCorrect = false; 5449 continue; 5450 } 5451 OMPIteratorExpr::IteratorDefinition &IDElem = ID.emplace_back(); 5452 IDElem.IteratorDecl = VD; 5453 IDElem.AssignmentLoc = D.AssignLoc; 5454 IDElem.Range.Begin = Begin; 5455 IDElem.Range.End = End; 5456 IDElem.Range.Step = Step; 5457 IDElem.ColonLoc = D.ColonLoc; 5458 IDElem.SecondColonLoc = D.SecColonLoc; 5459 } 5460 if (!IsCorrect) { 5461 // Invalidate all created iterator declarations if error is found. 5462 for (const OMPIteratorExpr::IteratorDefinition &D : ID) { 5463 if (Decl *ID = D.IteratorDecl) 5464 ID->setInvalidDecl(); 5465 } 5466 return ExprError(); 5467 } 5468 SmallVector<OMPIteratorHelperData, 4> Helpers; 5469 if (!CurContext->isDependentContext()) { 5470 // Build number of ityeration for each iteration range. 5471 // Ni = ((Stepi > 0) ? ((Endi + Stepi -1 - Begini)/Stepi) : 5472 // ((Begini-Stepi-1-Endi) / -Stepi); 5473 for (OMPIteratorExpr::IteratorDefinition &D : ID) { 5474 // (Endi - Begini) 5475 ExprResult Res = CreateBuiltinBinOp(D.AssignmentLoc, BO_Sub, D.Range.End, 5476 D.Range.Begin); 5477 if(!Res.isUsable()) { 5478 IsCorrect = false; 5479 continue; 5480 } 5481 ExprResult St, St1; 5482 if (D.Range.Step) { 5483 St = D.Range.Step; 5484 // (Endi - Begini) + Stepi 5485 Res = CreateBuiltinBinOp(D.AssignmentLoc, BO_Add, Res.get(), St.get()); 5486 if (!Res.isUsable()) { 5487 IsCorrect = false; 5488 continue; 5489 } 5490 // (Endi - Begini) + Stepi - 1 5491 Res = 5492 CreateBuiltinBinOp(D.AssignmentLoc, BO_Sub, Res.get(), 5493 ActOnIntegerConstant(D.AssignmentLoc, 1).get()); 5494 if (!Res.isUsable()) { 5495 IsCorrect = false; 5496 continue; 5497 } 5498 // ((Endi - Begini) + Stepi - 1) / Stepi 5499 Res = CreateBuiltinBinOp(D.AssignmentLoc, BO_Div, Res.get(), St.get()); 5500 if (!Res.isUsable()) { 5501 IsCorrect = false; 5502 continue; 5503 } 5504 St1 = CreateBuiltinUnaryOp(D.AssignmentLoc, UO_Minus, D.Range.Step); 5505 // (Begini - Endi) 5506 ExprResult Res1 = CreateBuiltinBinOp(D.AssignmentLoc, BO_Sub, 5507 D.Range.Begin, D.Range.End); 5508 if (!Res1.isUsable()) { 5509 IsCorrect = false; 5510 continue; 5511 } 5512 // (Begini - Endi) - Stepi 5513 Res1 = 5514 CreateBuiltinBinOp(D.AssignmentLoc, BO_Add, Res1.get(), St1.get()); 5515 if (!Res1.isUsable()) { 5516 IsCorrect = false; 5517 continue; 5518 } 5519 // (Begini - Endi) - Stepi - 1 5520 Res1 = 5521 CreateBuiltinBinOp(D.AssignmentLoc, BO_Sub, Res1.get(), 5522 ActOnIntegerConstant(D.AssignmentLoc, 1).get()); 5523 if (!Res1.isUsable()) { 5524 IsCorrect = false; 5525 continue; 5526 } 5527 // ((Begini - Endi) - Stepi - 1) / (-Stepi) 5528 Res1 = 5529 CreateBuiltinBinOp(D.AssignmentLoc, BO_Div, Res1.get(), St1.get()); 5530 if (!Res1.isUsable()) { 5531 IsCorrect = false; 5532 continue; 5533 } 5534 // Stepi > 0. 5535 ExprResult CmpRes = 5536 CreateBuiltinBinOp(D.AssignmentLoc, BO_GT, D.Range.Step, 5537 ActOnIntegerConstant(D.AssignmentLoc, 0).get()); 5538 if (!CmpRes.isUsable()) { 5539 IsCorrect = false; 5540 continue; 5541 } 5542 Res = ActOnConditionalOp(D.AssignmentLoc, D.AssignmentLoc, CmpRes.get(), 5543 Res.get(), Res1.get()); 5544 if (!Res.isUsable()) { 5545 IsCorrect = false; 5546 continue; 5547 } 5548 } 5549 Res = ActOnFinishFullExpr(Res.get(), /*DiscardedValue=*/false); 5550 if (!Res.isUsable()) { 5551 IsCorrect = false; 5552 continue; 5553 } 5554 5555 // Build counter update. 5556 // Build counter. 5557 auto *CounterVD = 5558 VarDecl::Create(Context, CurContext, D.IteratorDecl->getBeginLoc(), 5559 D.IteratorDecl->getBeginLoc(), nullptr, 5560 Res.get()->getType(), nullptr, SC_None); 5561 CounterVD->setImplicit(); 5562 ExprResult RefRes = 5563 BuildDeclRefExpr(CounterVD, CounterVD->getType(), VK_LValue, 5564 D.IteratorDecl->getBeginLoc()); 5565 // Build counter update. 5566 // I = Begini + counter * Stepi; 5567 ExprResult UpdateRes; 5568 if (D.Range.Step) { 5569 UpdateRes = CreateBuiltinBinOp( 5570 D.AssignmentLoc, BO_Mul, 5571 DefaultLvalueConversion(RefRes.get()).get(), St.get()); 5572 } else { 5573 UpdateRes = DefaultLvalueConversion(RefRes.get()); 5574 } 5575 if (!UpdateRes.isUsable()) { 5576 IsCorrect = false; 5577 continue; 5578 } 5579 UpdateRes = CreateBuiltinBinOp(D.AssignmentLoc, BO_Add, D.Range.Begin, 5580 UpdateRes.get()); 5581 if (!UpdateRes.isUsable()) { 5582 IsCorrect = false; 5583 continue; 5584 } 5585 ExprResult VDRes = 5586 BuildDeclRefExpr(cast<VarDecl>(D.IteratorDecl), 5587 cast<VarDecl>(D.IteratorDecl)->getType(), VK_LValue, 5588 D.IteratorDecl->getBeginLoc()); 5589 UpdateRes = CreateBuiltinBinOp(D.AssignmentLoc, BO_Assign, VDRes.get(), 5590 UpdateRes.get()); 5591 if (!UpdateRes.isUsable()) { 5592 IsCorrect = false; 5593 continue; 5594 } 5595 UpdateRes = 5596 ActOnFinishFullExpr(UpdateRes.get(), /*DiscardedValue=*/true); 5597 if (!UpdateRes.isUsable()) { 5598 IsCorrect = false; 5599 continue; 5600 } 5601 ExprResult CounterUpdateRes = 5602 CreateBuiltinUnaryOp(D.AssignmentLoc, UO_PreInc, RefRes.get()); 5603 if (!CounterUpdateRes.isUsable()) { 5604 IsCorrect = false; 5605 continue; 5606 } 5607 CounterUpdateRes = 5608 ActOnFinishFullExpr(CounterUpdateRes.get(), /*DiscardedValue=*/true); 5609 if (!CounterUpdateRes.isUsable()) { 5610 IsCorrect = false; 5611 continue; 5612 } 5613 OMPIteratorHelperData &HD = Helpers.emplace_back(); 5614 HD.CounterVD = CounterVD; 5615 HD.Upper = Res.get(); 5616 HD.Update = UpdateRes.get(); 5617 HD.CounterUpdate = CounterUpdateRes.get(); 5618 } 5619 } else { 5620 Helpers.assign(ID.size(), {}); 5621 } 5622 if (!IsCorrect) { 5623 // Invalidate all created iterator declarations if error is found. 5624 for (const OMPIteratorExpr::IteratorDefinition &D : ID) { 5625 if (Decl *ID = D.IteratorDecl) 5626 ID->setInvalidDecl(); 5627 } 5628 return ExprError(); 5629 } 5630 return OMPIteratorExpr::Create(Context, Context.OMPIteratorTy, IteratorKwLoc, 5631 LLoc, RLoc, ID, Helpers); 5632 } 5633 5634 ExprResult 5635 Sema::CreateBuiltinArraySubscriptExpr(Expr *Base, SourceLocation LLoc, 5636 Expr *Idx, SourceLocation RLoc) { 5637 Expr *LHSExp = Base; 5638 Expr *RHSExp = Idx; 5639 5640 ExprValueKind VK = VK_LValue; 5641 ExprObjectKind OK = OK_Ordinary; 5642 5643 // Per C++ core issue 1213, the result is an xvalue if either operand is 5644 // a non-lvalue array, and an lvalue otherwise. 5645 if (getLangOpts().CPlusPlus11) { 5646 for (auto *Op : {LHSExp, RHSExp}) { 5647 Op = Op->IgnoreImplicit(); 5648 if (Op->getType()->isArrayType() && !Op->isLValue()) 5649 VK = VK_XValue; 5650 } 5651 } 5652 5653 // Perform default conversions. 5654 if (!LHSExp->getType()->getAs<VectorType>()) { 5655 ExprResult Result = DefaultFunctionArrayLvalueConversion(LHSExp); 5656 if (Result.isInvalid()) 5657 return ExprError(); 5658 LHSExp = Result.get(); 5659 } 5660 ExprResult Result = DefaultFunctionArrayLvalueConversion(RHSExp); 5661 if (Result.isInvalid()) 5662 return ExprError(); 5663 RHSExp = Result.get(); 5664 5665 QualType LHSTy = LHSExp->getType(), RHSTy = RHSExp->getType(); 5666 5667 // C99 6.5.2.1p2: the expression e1[e2] is by definition precisely equivalent 5668 // to the expression *((e1)+(e2)). This means the array "Base" may actually be 5669 // in the subscript position. As a result, we need to derive the array base 5670 // and index from the expression types. 5671 Expr *BaseExpr, *IndexExpr; 5672 QualType ResultType; 5673 if (LHSTy->isDependentType() || RHSTy->isDependentType()) { 5674 BaseExpr = LHSExp; 5675 IndexExpr = RHSExp; 5676 ResultType = 5677 getDependentArraySubscriptType(LHSExp, RHSExp, getASTContext()); 5678 } else if (const PointerType *PTy = LHSTy->getAs<PointerType>()) { 5679 BaseExpr = LHSExp; 5680 IndexExpr = RHSExp; 5681 ResultType = PTy->getPointeeType(); 5682 } else if (const ObjCObjectPointerType *PTy = 5683 LHSTy->getAs<ObjCObjectPointerType>()) { 5684 BaseExpr = LHSExp; 5685 IndexExpr = RHSExp; 5686 5687 // Use custom logic if this should be the pseudo-object subscript 5688 // expression. 5689 if (!LangOpts.isSubscriptPointerArithmetic()) 5690 return BuildObjCSubscriptExpression(RLoc, BaseExpr, IndexExpr, nullptr, 5691 nullptr); 5692 5693 ResultType = PTy->getPointeeType(); 5694 } else if (const PointerType *PTy = RHSTy->getAs<PointerType>()) { 5695 // Handle the uncommon case of "123[Ptr]". 5696 BaseExpr = RHSExp; 5697 IndexExpr = LHSExp; 5698 ResultType = PTy->getPointeeType(); 5699 } else if (const ObjCObjectPointerType *PTy = 5700 RHSTy->getAs<ObjCObjectPointerType>()) { 5701 // Handle the uncommon case of "123[Ptr]". 5702 BaseExpr = RHSExp; 5703 IndexExpr = LHSExp; 5704 ResultType = PTy->getPointeeType(); 5705 if (!LangOpts.isSubscriptPointerArithmetic()) { 5706 Diag(LLoc, diag::err_subscript_nonfragile_interface) 5707 << ResultType << BaseExpr->getSourceRange(); 5708 return ExprError(); 5709 } 5710 } else if (const VectorType *VTy = LHSTy->getAs<VectorType>()) { 5711 BaseExpr = LHSExp; // vectors: V[123] 5712 IndexExpr = RHSExp; 5713 // We apply C++ DR1213 to vector subscripting too. 5714 if (getLangOpts().CPlusPlus11 && LHSExp->isPRValue()) { 5715 ExprResult Materialized = TemporaryMaterializationConversion(LHSExp); 5716 if (Materialized.isInvalid()) 5717 return ExprError(); 5718 LHSExp = Materialized.get(); 5719 } 5720 VK = LHSExp->getValueKind(); 5721 if (VK != VK_PRValue) 5722 OK = OK_VectorComponent; 5723 5724 ResultType = VTy->getElementType(); 5725 QualType BaseType = BaseExpr->getType(); 5726 Qualifiers BaseQuals = BaseType.getQualifiers(); 5727 Qualifiers MemberQuals = ResultType.getQualifiers(); 5728 Qualifiers Combined = BaseQuals + MemberQuals; 5729 if (Combined != MemberQuals) 5730 ResultType = Context.getQualifiedType(ResultType, Combined); 5731 } else if (LHSTy->isBuiltinType() && 5732 LHSTy->getAs<BuiltinType>()->isVLSTBuiltinType()) { 5733 const BuiltinType *BTy = LHSTy->getAs<BuiltinType>(); 5734 if (BTy->isSVEBool()) 5735 return ExprError(Diag(LLoc, diag::err_subscript_svbool_t) 5736 << LHSExp->getSourceRange() << RHSExp->getSourceRange()); 5737 5738 BaseExpr = LHSExp; 5739 IndexExpr = RHSExp; 5740 if (getLangOpts().CPlusPlus11 && LHSExp->isPRValue()) { 5741 ExprResult Materialized = TemporaryMaterializationConversion(LHSExp); 5742 if (Materialized.isInvalid()) 5743 return ExprError(); 5744 LHSExp = Materialized.get(); 5745 } 5746 VK = LHSExp->getValueKind(); 5747 if (VK != VK_PRValue) 5748 OK = OK_VectorComponent; 5749 5750 ResultType = BTy->getSveEltType(Context); 5751 5752 QualType BaseType = BaseExpr->getType(); 5753 Qualifiers BaseQuals = BaseType.getQualifiers(); 5754 Qualifiers MemberQuals = ResultType.getQualifiers(); 5755 Qualifiers Combined = BaseQuals + MemberQuals; 5756 if (Combined != MemberQuals) 5757 ResultType = Context.getQualifiedType(ResultType, Combined); 5758 } else if (LHSTy->isArrayType()) { 5759 // If we see an array that wasn't promoted by 5760 // DefaultFunctionArrayLvalueConversion, it must be an array that 5761 // wasn't promoted because of the C90 rule that doesn't 5762 // allow promoting non-lvalue arrays. Warn, then 5763 // force the promotion here. 5764 Diag(LHSExp->getBeginLoc(), diag::ext_subscript_non_lvalue) 5765 << LHSExp->getSourceRange(); 5766 LHSExp = ImpCastExprToType(LHSExp, Context.getArrayDecayedType(LHSTy), 5767 CK_ArrayToPointerDecay).get(); 5768 LHSTy = LHSExp->getType(); 5769 5770 BaseExpr = LHSExp; 5771 IndexExpr = RHSExp; 5772 ResultType = LHSTy->castAs<PointerType>()->getPointeeType(); 5773 } else if (RHSTy->isArrayType()) { 5774 // Same as previous, except for 123[f().a] case 5775 Diag(RHSExp->getBeginLoc(), diag::ext_subscript_non_lvalue) 5776 << RHSExp->getSourceRange(); 5777 RHSExp = ImpCastExprToType(RHSExp, Context.getArrayDecayedType(RHSTy), 5778 CK_ArrayToPointerDecay).get(); 5779 RHSTy = RHSExp->getType(); 5780 5781 BaseExpr = RHSExp; 5782 IndexExpr = LHSExp; 5783 ResultType = RHSTy->castAs<PointerType>()->getPointeeType(); 5784 } else { 5785 return ExprError(Diag(LLoc, diag::err_typecheck_subscript_value) 5786 << LHSExp->getSourceRange() << RHSExp->getSourceRange()); 5787 } 5788 // C99 6.5.2.1p1 5789 if (!IndexExpr->getType()->isIntegerType() && !IndexExpr->isTypeDependent()) 5790 return ExprError(Diag(LLoc, diag::err_typecheck_subscript_not_integer) 5791 << IndexExpr->getSourceRange()); 5792 5793 if ((IndexExpr->getType()->isSpecificBuiltinType(BuiltinType::Char_S) || 5794 IndexExpr->getType()->isSpecificBuiltinType(BuiltinType::Char_U)) 5795 && !IndexExpr->isTypeDependent()) 5796 Diag(LLoc, diag::warn_subscript_is_char) << IndexExpr->getSourceRange(); 5797 5798 // C99 6.5.2.1p1: "shall have type "pointer to *object* type". Similarly, 5799 // C++ [expr.sub]p1: The type "T" shall be a completely-defined object 5800 // type. Note that Functions are not objects, and that (in C99 parlance) 5801 // incomplete types are not object types. 5802 if (ResultType->isFunctionType()) { 5803 Diag(BaseExpr->getBeginLoc(), diag::err_subscript_function_type) 5804 << ResultType << BaseExpr->getSourceRange(); 5805 return ExprError(); 5806 } 5807 5808 if (ResultType->isVoidType() && !getLangOpts().CPlusPlus) { 5809 // GNU extension: subscripting on pointer to void 5810 Diag(LLoc, diag::ext_gnu_subscript_void_type) 5811 << BaseExpr->getSourceRange(); 5812 5813 // C forbids expressions of unqualified void type from being l-values. 5814 // See IsCForbiddenLValueType. 5815 if (!ResultType.hasQualifiers()) 5816 VK = VK_PRValue; 5817 } else if (!ResultType->isDependentType() && 5818 RequireCompleteSizedType( 5819 LLoc, ResultType, 5820 diag::err_subscript_incomplete_or_sizeless_type, BaseExpr)) 5821 return ExprError(); 5822 5823 assert(VK == VK_PRValue || LangOpts.CPlusPlus || 5824 !ResultType.isCForbiddenLValueType()); 5825 5826 if (LHSExp->IgnoreParenImpCasts()->getType()->isVariablyModifiedType() && 5827 FunctionScopes.size() > 1) { 5828 if (auto *TT = 5829 LHSExp->IgnoreParenImpCasts()->getType()->getAs<TypedefType>()) { 5830 for (auto I = FunctionScopes.rbegin(), 5831 E = std::prev(FunctionScopes.rend()); 5832 I != E; ++I) { 5833 auto *CSI = dyn_cast<CapturingScopeInfo>(*I); 5834 if (CSI == nullptr) 5835 break; 5836 DeclContext *DC = nullptr; 5837 if (auto *LSI = dyn_cast<LambdaScopeInfo>(CSI)) 5838 DC = LSI->CallOperator; 5839 else if (auto *CRSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) 5840 DC = CRSI->TheCapturedDecl; 5841 else if (auto *BSI = dyn_cast<BlockScopeInfo>(CSI)) 5842 DC = BSI->TheDecl; 5843 if (DC) { 5844 if (DC->containsDecl(TT->getDecl())) 5845 break; 5846 captureVariablyModifiedType( 5847 Context, LHSExp->IgnoreParenImpCasts()->getType(), CSI); 5848 } 5849 } 5850 } 5851 } 5852 5853 return new (Context) 5854 ArraySubscriptExpr(LHSExp, RHSExp, ResultType, VK, OK, RLoc); 5855 } 5856 5857 bool Sema::CheckCXXDefaultArgExpr(SourceLocation CallLoc, FunctionDecl *FD, 5858 ParmVarDecl *Param) { 5859 if (Param->hasUnparsedDefaultArg()) { 5860 // If we've already cleared out the location for the default argument, 5861 // that means we're parsing it right now. 5862 if (!UnparsedDefaultArgLocs.count(Param)) { 5863 Diag(Param->getBeginLoc(), diag::err_recursive_default_argument) << FD; 5864 Diag(CallLoc, diag::note_recursive_default_argument_used_here); 5865 Param->setInvalidDecl(); 5866 return true; 5867 } 5868 5869 Diag(CallLoc, diag::err_use_of_default_argument_to_function_declared_later) 5870 << FD << cast<CXXRecordDecl>(FD->getDeclContext()); 5871 Diag(UnparsedDefaultArgLocs[Param], 5872 diag::note_default_argument_declared_here); 5873 return true; 5874 } 5875 5876 if (Param->hasUninstantiatedDefaultArg() && 5877 InstantiateDefaultArgument(CallLoc, FD, Param)) 5878 return true; 5879 5880 assert(Param->hasInit() && "default argument but no initializer?"); 5881 5882 // If the default expression creates temporaries, we need to 5883 // push them to the current stack of expression temporaries so they'll 5884 // be properly destroyed. 5885 // FIXME: We should really be rebuilding the default argument with new 5886 // bound temporaries; see the comment in PR5810. 5887 // We don't need to do that with block decls, though, because 5888 // blocks in default argument expression can never capture anything. 5889 if (auto Init = dyn_cast<ExprWithCleanups>(Param->getInit())) { 5890 // Set the "needs cleanups" bit regardless of whether there are 5891 // any explicit objects. 5892 Cleanup.setExprNeedsCleanups(Init->cleanupsHaveSideEffects()); 5893 5894 // Append all the objects to the cleanup list. Right now, this 5895 // should always be a no-op, because blocks in default argument 5896 // expressions should never be able to capture anything. 5897 assert(!Init->getNumObjects() && 5898 "default argument expression has capturing blocks?"); 5899 } 5900 5901 // We already type-checked the argument, so we know it works. 5902 // Just mark all of the declarations in this potentially-evaluated expression 5903 // as being "referenced". 5904 EnterExpressionEvaluationContext EvalContext( 5905 *this, ExpressionEvaluationContext::PotentiallyEvaluated, Param); 5906 MarkDeclarationsReferencedInExpr(Param->getDefaultArg(), 5907 /*SkipLocalVariables=*/true); 5908 return false; 5909 } 5910 5911 ExprResult Sema::BuildCXXDefaultArgExpr(SourceLocation CallLoc, 5912 FunctionDecl *FD, ParmVarDecl *Param) { 5913 assert(Param->hasDefaultArg() && "can't build nonexistent default arg"); 5914 if (CheckCXXDefaultArgExpr(CallLoc, FD, Param)) 5915 return ExprError(); 5916 return CXXDefaultArgExpr::Create(Context, CallLoc, Param, CurContext); 5917 } 5918 5919 Sema::VariadicCallType 5920 Sema::getVariadicCallType(FunctionDecl *FDecl, const FunctionProtoType *Proto, 5921 Expr *Fn) { 5922 if (Proto && Proto->isVariadic()) { 5923 if (isa_and_nonnull<CXXConstructorDecl>(FDecl)) 5924 return VariadicConstructor; 5925 else if (Fn && Fn->getType()->isBlockPointerType()) 5926 return VariadicBlock; 5927 else if (FDecl) { 5928 if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(FDecl)) 5929 if (Method->isInstance()) 5930 return VariadicMethod; 5931 } else if (Fn && Fn->getType() == Context.BoundMemberTy) 5932 return VariadicMethod; 5933 return VariadicFunction; 5934 } 5935 return VariadicDoesNotApply; 5936 } 5937 5938 namespace { 5939 class FunctionCallCCC final : public FunctionCallFilterCCC { 5940 public: 5941 FunctionCallCCC(Sema &SemaRef, const IdentifierInfo *FuncName, 5942 unsigned NumArgs, MemberExpr *ME) 5943 : FunctionCallFilterCCC(SemaRef, NumArgs, false, ME), 5944 FunctionName(FuncName) {} 5945 5946 bool ValidateCandidate(const TypoCorrection &candidate) override { 5947 if (!candidate.getCorrectionSpecifier() || 5948 candidate.getCorrectionAsIdentifierInfo() != FunctionName) { 5949 return false; 5950 } 5951 5952 return FunctionCallFilterCCC::ValidateCandidate(candidate); 5953 } 5954 5955 std::unique_ptr<CorrectionCandidateCallback> clone() override { 5956 return std::make_unique<FunctionCallCCC>(*this); 5957 } 5958 5959 private: 5960 const IdentifierInfo *const FunctionName; 5961 }; 5962 } 5963 5964 static TypoCorrection TryTypoCorrectionForCall(Sema &S, Expr *Fn, 5965 FunctionDecl *FDecl, 5966 ArrayRef<Expr *> Args) { 5967 MemberExpr *ME = dyn_cast<MemberExpr>(Fn); 5968 DeclarationName FuncName = FDecl->getDeclName(); 5969 SourceLocation NameLoc = ME ? ME->getMemberLoc() : Fn->getBeginLoc(); 5970 5971 FunctionCallCCC CCC(S, FuncName.getAsIdentifierInfo(), Args.size(), ME); 5972 if (TypoCorrection Corrected = S.CorrectTypo( 5973 DeclarationNameInfo(FuncName, NameLoc), Sema::LookupOrdinaryName, 5974 S.getScopeForContext(S.CurContext), nullptr, CCC, 5975 Sema::CTK_ErrorRecovery)) { 5976 if (NamedDecl *ND = Corrected.getFoundDecl()) { 5977 if (Corrected.isOverloaded()) { 5978 OverloadCandidateSet OCS(NameLoc, OverloadCandidateSet::CSK_Normal); 5979 OverloadCandidateSet::iterator Best; 5980 for (NamedDecl *CD : Corrected) { 5981 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(CD)) 5982 S.AddOverloadCandidate(FD, DeclAccessPair::make(FD, AS_none), Args, 5983 OCS); 5984 } 5985 switch (OCS.BestViableFunction(S, NameLoc, Best)) { 5986 case OR_Success: 5987 ND = Best->FoundDecl; 5988 Corrected.setCorrectionDecl(ND); 5989 break; 5990 default: 5991 break; 5992 } 5993 } 5994 ND = ND->getUnderlyingDecl(); 5995 if (isa<ValueDecl>(ND) || isa<FunctionTemplateDecl>(ND)) 5996 return Corrected; 5997 } 5998 } 5999 return TypoCorrection(); 6000 } 6001 6002 /// ConvertArgumentsForCall - Converts the arguments specified in 6003 /// Args/NumArgs to the parameter types of the function FDecl with 6004 /// function prototype Proto. Call is the call expression itself, and 6005 /// Fn is the function expression. For a C++ member function, this 6006 /// routine does not attempt to convert the object argument. Returns 6007 /// true if the call is ill-formed. 6008 bool 6009 Sema::ConvertArgumentsForCall(CallExpr *Call, Expr *Fn, 6010 FunctionDecl *FDecl, 6011 const FunctionProtoType *Proto, 6012 ArrayRef<Expr *> Args, 6013 SourceLocation RParenLoc, 6014 bool IsExecConfig) { 6015 // Bail out early if calling a builtin with custom typechecking. 6016 if (FDecl) 6017 if (unsigned ID = FDecl->getBuiltinID()) 6018 if (Context.BuiltinInfo.hasCustomTypechecking(ID)) 6019 return false; 6020 6021 // C99 6.5.2.2p7 - the arguments are implicitly converted, as if by 6022 // assignment, to the types of the corresponding parameter, ... 6023 unsigned NumParams = Proto->getNumParams(); 6024 bool Invalid = false; 6025 unsigned MinArgs = FDecl ? FDecl->getMinRequiredArguments() : NumParams; 6026 unsigned FnKind = Fn->getType()->isBlockPointerType() 6027 ? 1 /* block */ 6028 : (IsExecConfig ? 3 /* kernel function (exec config) */ 6029 : 0 /* function */); 6030 6031 // If too few arguments are available (and we don't have default 6032 // arguments for the remaining parameters), don't make the call. 6033 if (Args.size() < NumParams) { 6034 if (Args.size() < MinArgs) { 6035 TypoCorrection TC; 6036 if (FDecl && (TC = TryTypoCorrectionForCall(*this, Fn, FDecl, Args))) { 6037 unsigned diag_id = 6038 MinArgs == NumParams && !Proto->isVariadic() 6039 ? diag::err_typecheck_call_too_few_args_suggest 6040 : diag::err_typecheck_call_too_few_args_at_least_suggest; 6041 diagnoseTypo(TC, PDiag(diag_id) << FnKind << MinArgs 6042 << static_cast<unsigned>(Args.size()) 6043 << TC.getCorrectionRange()); 6044 } else if (MinArgs == 1 && FDecl && FDecl->getParamDecl(0)->getDeclName()) 6045 Diag(RParenLoc, 6046 MinArgs == NumParams && !Proto->isVariadic() 6047 ? diag::err_typecheck_call_too_few_args_one 6048 : diag::err_typecheck_call_too_few_args_at_least_one) 6049 << FnKind << FDecl->getParamDecl(0) << Fn->getSourceRange(); 6050 else 6051 Diag(RParenLoc, MinArgs == NumParams && !Proto->isVariadic() 6052 ? diag::err_typecheck_call_too_few_args 6053 : diag::err_typecheck_call_too_few_args_at_least) 6054 << FnKind << MinArgs << static_cast<unsigned>(Args.size()) 6055 << Fn->getSourceRange(); 6056 6057 // Emit the location of the prototype. 6058 if (!TC && FDecl && !FDecl->getBuiltinID() && !IsExecConfig) 6059 Diag(FDecl->getLocation(), diag::note_callee_decl) << FDecl; 6060 6061 return true; 6062 } 6063 // We reserve space for the default arguments when we create 6064 // the call expression, before calling ConvertArgumentsForCall. 6065 assert((Call->getNumArgs() == NumParams) && 6066 "We should have reserved space for the default arguments before!"); 6067 } 6068 6069 // If too many are passed and not variadic, error on the extras and drop 6070 // them. 6071 if (Args.size() > NumParams) { 6072 if (!Proto->isVariadic()) { 6073 TypoCorrection TC; 6074 if (FDecl && (TC = TryTypoCorrectionForCall(*this, Fn, FDecl, Args))) { 6075 unsigned diag_id = 6076 MinArgs == NumParams && !Proto->isVariadic() 6077 ? diag::err_typecheck_call_too_many_args_suggest 6078 : diag::err_typecheck_call_too_many_args_at_most_suggest; 6079 diagnoseTypo(TC, PDiag(diag_id) << FnKind << NumParams 6080 << static_cast<unsigned>(Args.size()) 6081 << TC.getCorrectionRange()); 6082 } else if (NumParams == 1 && FDecl && 6083 FDecl->getParamDecl(0)->getDeclName()) 6084 Diag(Args[NumParams]->getBeginLoc(), 6085 MinArgs == NumParams 6086 ? diag::err_typecheck_call_too_many_args_one 6087 : diag::err_typecheck_call_too_many_args_at_most_one) 6088 << FnKind << FDecl->getParamDecl(0) 6089 << static_cast<unsigned>(Args.size()) << Fn->getSourceRange() 6090 << SourceRange(Args[NumParams]->getBeginLoc(), 6091 Args.back()->getEndLoc()); 6092 else 6093 Diag(Args[NumParams]->getBeginLoc(), 6094 MinArgs == NumParams 6095 ? diag::err_typecheck_call_too_many_args 6096 : diag::err_typecheck_call_too_many_args_at_most) 6097 << FnKind << NumParams << static_cast<unsigned>(Args.size()) 6098 << Fn->getSourceRange() 6099 << SourceRange(Args[NumParams]->getBeginLoc(), 6100 Args.back()->getEndLoc()); 6101 6102 // Emit the location of the prototype. 6103 if (!TC && FDecl && !FDecl->getBuiltinID() && !IsExecConfig) 6104 Diag(FDecl->getLocation(), diag::note_callee_decl) << FDecl; 6105 6106 // This deletes the extra arguments. 6107 Call->shrinkNumArgs(NumParams); 6108 return true; 6109 } 6110 } 6111 SmallVector<Expr *, 8> AllArgs; 6112 VariadicCallType CallType = getVariadicCallType(FDecl, Proto, Fn); 6113 6114 Invalid = GatherArgumentsForCall(Call->getBeginLoc(), FDecl, Proto, 0, Args, 6115 AllArgs, CallType); 6116 if (Invalid) 6117 return true; 6118 unsigned TotalNumArgs = AllArgs.size(); 6119 for (unsigned i = 0; i < TotalNumArgs; ++i) 6120 Call->setArg(i, AllArgs[i]); 6121 6122 Call->computeDependence(); 6123 return false; 6124 } 6125 6126 bool Sema::GatherArgumentsForCall(SourceLocation CallLoc, FunctionDecl *FDecl, 6127 const FunctionProtoType *Proto, 6128 unsigned FirstParam, ArrayRef<Expr *> Args, 6129 SmallVectorImpl<Expr *> &AllArgs, 6130 VariadicCallType CallType, bool AllowExplicit, 6131 bool IsListInitialization) { 6132 unsigned NumParams = Proto->getNumParams(); 6133 bool Invalid = false; 6134 size_t ArgIx = 0; 6135 // Continue to check argument types (even if we have too few/many args). 6136 for (unsigned i = FirstParam; i < NumParams; i++) { 6137 QualType ProtoArgType = Proto->getParamType(i); 6138 6139 Expr *Arg; 6140 ParmVarDecl *Param = FDecl ? FDecl->getParamDecl(i) : nullptr; 6141 if (ArgIx < Args.size()) { 6142 Arg = Args[ArgIx++]; 6143 6144 if (RequireCompleteType(Arg->getBeginLoc(), ProtoArgType, 6145 diag::err_call_incomplete_argument, Arg)) 6146 return true; 6147 6148 // Strip the unbridged-cast placeholder expression off, if applicable. 6149 bool CFAudited = false; 6150 if (Arg->getType() == Context.ARCUnbridgedCastTy && 6151 FDecl && FDecl->hasAttr<CFAuditedTransferAttr>() && 6152 (!Param || !Param->hasAttr<CFConsumedAttr>())) 6153 Arg = stripARCUnbridgedCast(Arg); 6154 else if (getLangOpts().ObjCAutoRefCount && 6155 FDecl && FDecl->hasAttr<CFAuditedTransferAttr>() && 6156 (!Param || !Param->hasAttr<CFConsumedAttr>())) 6157 CFAudited = true; 6158 6159 if (Proto->getExtParameterInfo(i).isNoEscape() && 6160 ProtoArgType->isBlockPointerType()) 6161 if (auto *BE = dyn_cast<BlockExpr>(Arg->IgnoreParenNoopCasts(Context))) 6162 BE->getBlockDecl()->setDoesNotEscape(); 6163 6164 InitializedEntity Entity = 6165 Param ? InitializedEntity::InitializeParameter(Context, Param, 6166 ProtoArgType) 6167 : InitializedEntity::InitializeParameter( 6168 Context, ProtoArgType, Proto->isParamConsumed(i)); 6169 6170 // Remember that parameter belongs to a CF audited API. 6171 if (CFAudited) 6172 Entity.setParameterCFAudited(); 6173 6174 ExprResult ArgE = PerformCopyInitialization( 6175 Entity, SourceLocation(), Arg, IsListInitialization, AllowExplicit); 6176 if (ArgE.isInvalid()) 6177 return true; 6178 6179 Arg = ArgE.getAs<Expr>(); 6180 } else { 6181 assert(Param && "can't use default arguments without a known callee"); 6182 6183 ExprResult ArgExpr = BuildCXXDefaultArgExpr(CallLoc, FDecl, Param); 6184 if (ArgExpr.isInvalid()) 6185 return true; 6186 6187 Arg = ArgExpr.getAs<Expr>(); 6188 } 6189 6190 // Check for array bounds violations for each argument to the call. This 6191 // check only triggers warnings when the argument isn't a more complex Expr 6192 // with its own checking, such as a BinaryOperator. 6193 CheckArrayAccess(Arg); 6194 6195 // Check for violations of C99 static array rules (C99 6.7.5.3p7). 6196 CheckStaticArrayArgument(CallLoc, Param, Arg); 6197 6198 AllArgs.push_back(Arg); 6199 } 6200 6201 // If this is a variadic call, handle args passed through "...". 6202 if (CallType != VariadicDoesNotApply) { 6203 // Assume that extern "C" functions with variadic arguments that 6204 // return __unknown_anytype aren't *really* variadic. 6205 if (Proto->getReturnType() == Context.UnknownAnyTy && FDecl && 6206 FDecl->isExternC()) { 6207 for (Expr *A : Args.slice(ArgIx)) { 6208 QualType paramType; // ignored 6209 ExprResult arg = checkUnknownAnyArg(CallLoc, A, paramType); 6210 Invalid |= arg.isInvalid(); 6211 AllArgs.push_back(arg.get()); 6212 } 6213 6214 // Otherwise do argument promotion, (C99 6.5.2.2p7). 6215 } else { 6216 for (Expr *A : Args.slice(ArgIx)) { 6217 ExprResult Arg = DefaultVariadicArgumentPromotion(A, CallType, FDecl); 6218 Invalid |= Arg.isInvalid(); 6219 AllArgs.push_back(Arg.get()); 6220 } 6221 } 6222 6223 // Check for array bounds violations. 6224 for (Expr *A : Args.slice(ArgIx)) 6225 CheckArrayAccess(A); 6226 } 6227 return Invalid; 6228 } 6229 6230 static void DiagnoseCalleeStaticArrayParam(Sema &S, ParmVarDecl *PVD) { 6231 TypeLoc TL = PVD->getTypeSourceInfo()->getTypeLoc(); 6232 if (DecayedTypeLoc DTL = TL.getAs<DecayedTypeLoc>()) 6233 TL = DTL.getOriginalLoc(); 6234 if (ArrayTypeLoc ATL = TL.getAs<ArrayTypeLoc>()) 6235 S.Diag(PVD->getLocation(), diag::note_callee_static_array) 6236 << ATL.getLocalSourceRange(); 6237 } 6238 6239 /// CheckStaticArrayArgument - If the given argument corresponds to a static 6240 /// array parameter, check that it is non-null, and that if it is formed by 6241 /// array-to-pointer decay, the underlying array is sufficiently large. 6242 /// 6243 /// C99 6.7.5.3p7: If the keyword static also appears within the [ and ] of the 6244 /// array type derivation, then for each call to the function, the value of the 6245 /// corresponding actual argument shall provide access to the first element of 6246 /// an array with at least as many elements as specified by the size expression. 6247 void 6248 Sema::CheckStaticArrayArgument(SourceLocation CallLoc, 6249 ParmVarDecl *Param, 6250 const Expr *ArgExpr) { 6251 // Static array parameters are not supported in C++. 6252 if (!Param || getLangOpts().CPlusPlus) 6253 return; 6254 6255 QualType OrigTy = Param->getOriginalType(); 6256 6257 const ArrayType *AT = Context.getAsArrayType(OrigTy); 6258 if (!AT || AT->getSizeModifier() != ArrayType::Static) 6259 return; 6260 6261 if (ArgExpr->isNullPointerConstant(Context, 6262 Expr::NPC_NeverValueDependent)) { 6263 Diag(CallLoc, diag::warn_null_arg) << ArgExpr->getSourceRange(); 6264 DiagnoseCalleeStaticArrayParam(*this, Param); 6265 return; 6266 } 6267 6268 const ConstantArrayType *CAT = dyn_cast<ConstantArrayType>(AT); 6269 if (!CAT) 6270 return; 6271 6272 const ConstantArrayType *ArgCAT = 6273 Context.getAsConstantArrayType(ArgExpr->IgnoreParenCasts()->getType()); 6274 if (!ArgCAT) 6275 return; 6276 6277 if (getASTContext().hasSameUnqualifiedType(CAT->getElementType(), 6278 ArgCAT->getElementType())) { 6279 if (ArgCAT->getSize().ult(CAT->getSize())) { 6280 Diag(CallLoc, diag::warn_static_array_too_small) 6281 << ArgExpr->getSourceRange() 6282 << (unsigned)ArgCAT->getSize().getZExtValue() 6283 << (unsigned)CAT->getSize().getZExtValue() << 0; 6284 DiagnoseCalleeStaticArrayParam(*this, Param); 6285 } 6286 return; 6287 } 6288 6289 Optional<CharUnits> ArgSize = 6290 getASTContext().getTypeSizeInCharsIfKnown(ArgCAT); 6291 Optional<CharUnits> ParmSize = getASTContext().getTypeSizeInCharsIfKnown(CAT); 6292 if (ArgSize && ParmSize && *ArgSize < *ParmSize) { 6293 Diag(CallLoc, diag::warn_static_array_too_small) 6294 << ArgExpr->getSourceRange() << (unsigned)ArgSize->getQuantity() 6295 << (unsigned)ParmSize->getQuantity() << 1; 6296 DiagnoseCalleeStaticArrayParam(*this, Param); 6297 } 6298 } 6299 6300 /// Given a function expression of unknown-any type, try to rebuild it 6301 /// to have a function type. 6302 static ExprResult rebuildUnknownAnyFunction(Sema &S, Expr *fn); 6303 6304 /// Is the given type a placeholder that we need to lower out 6305 /// immediately during argument processing? 6306 static bool isPlaceholderToRemoveAsArg(QualType type) { 6307 // Placeholders are never sugared. 6308 const BuiltinType *placeholder = dyn_cast<BuiltinType>(type); 6309 if (!placeholder) return false; 6310 6311 switch (placeholder->getKind()) { 6312 // Ignore all the non-placeholder types. 6313 #define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \ 6314 case BuiltinType::Id: 6315 #include "clang/Basic/OpenCLImageTypes.def" 6316 #define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \ 6317 case BuiltinType::Id: 6318 #include "clang/Basic/OpenCLExtensionTypes.def" 6319 // In practice we'll never use this, since all SVE types are sugared 6320 // via TypedefTypes rather than exposed directly as BuiltinTypes. 6321 #define SVE_TYPE(Name, Id, SingletonId) \ 6322 case BuiltinType::Id: 6323 #include "clang/Basic/AArch64SVEACLETypes.def" 6324 #define PPC_VECTOR_TYPE(Name, Id, Size) \ 6325 case BuiltinType::Id: 6326 #include "clang/Basic/PPCTypes.def" 6327 #define RVV_TYPE(Name, Id, SingletonId) case BuiltinType::Id: 6328 #include "clang/Basic/RISCVVTypes.def" 6329 #define PLACEHOLDER_TYPE(ID, SINGLETON_ID) 6330 #define BUILTIN_TYPE(ID, SINGLETON_ID) case BuiltinType::ID: 6331 #include "clang/AST/BuiltinTypes.def" 6332 return false; 6333 6334 // We cannot lower out overload sets; they might validly be resolved 6335 // by the call machinery. 6336 case BuiltinType::Overload: 6337 return false; 6338 6339 // Unbridged casts in ARC can be handled in some call positions and 6340 // should be left in place. 6341 case BuiltinType::ARCUnbridgedCast: 6342 return false; 6343 6344 // Pseudo-objects should be converted as soon as possible. 6345 case BuiltinType::PseudoObject: 6346 return true; 6347 6348 // The debugger mode could theoretically but currently does not try 6349 // to resolve unknown-typed arguments based on known parameter types. 6350 case BuiltinType::UnknownAny: 6351 return true; 6352 6353 // These are always invalid as call arguments and should be reported. 6354 case BuiltinType::BoundMember: 6355 case BuiltinType::BuiltinFn: 6356 case BuiltinType::IncompleteMatrixIdx: 6357 case BuiltinType::OMPArraySection: 6358 case BuiltinType::OMPArrayShaping: 6359 case BuiltinType::OMPIterator: 6360 return true; 6361 6362 } 6363 llvm_unreachable("bad builtin type kind"); 6364 } 6365 6366 /// Check an argument list for placeholders that we won't try to 6367 /// handle later. 6368 static bool checkArgsForPlaceholders(Sema &S, MultiExprArg args) { 6369 // Apply this processing to all the arguments at once instead of 6370 // dying at the first failure. 6371 bool hasInvalid = false; 6372 for (size_t i = 0, e = args.size(); i != e; i++) { 6373 if (isPlaceholderToRemoveAsArg(args[i]->getType())) { 6374 ExprResult result = S.CheckPlaceholderExpr(args[i]); 6375 if (result.isInvalid()) hasInvalid = true; 6376 else args[i] = result.get(); 6377 } 6378 } 6379 return hasInvalid; 6380 } 6381 6382 /// If a builtin function has a pointer argument with no explicit address 6383 /// space, then it should be able to accept a pointer to any address 6384 /// space as input. In order to do this, we need to replace the 6385 /// standard builtin declaration with one that uses the same address space 6386 /// as the call. 6387 /// 6388 /// \returns nullptr If this builtin is not a candidate for a rewrite i.e. 6389 /// it does not contain any pointer arguments without 6390 /// an address space qualifer. Otherwise the rewritten 6391 /// FunctionDecl is returned. 6392 /// TODO: Handle pointer return types. 6393 static FunctionDecl *rewriteBuiltinFunctionDecl(Sema *Sema, ASTContext &Context, 6394 FunctionDecl *FDecl, 6395 MultiExprArg ArgExprs) { 6396 6397 QualType DeclType = FDecl->getType(); 6398 const FunctionProtoType *FT = dyn_cast<FunctionProtoType>(DeclType); 6399 6400 if (!Context.BuiltinInfo.hasPtrArgsOrResult(FDecl->getBuiltinID()) || !FT || 6401 ArgExprs.size() < FT->getNumParams()) 6402 return nullptr; 6403 6404 bool NeedsNewDecl = false; 6405 unsigned i = 0; 6406 SmallVector<QualType, 8> OverloadParams; 6407 6408 for (QualType ParamType : FT->param_types()) { 6409 6410 // Convert array arguments to pointer to simplify type lookup. 6411 ExprResult ArgRes = 6412 Sema->DefaultFunctionArrayLvalueConversion(ArgExprs[i++]); 6413 if (ArgRes.isInvalid()) 6414 return nullptr; 6415 Expr *Arg = ArgRes.get(); 6416 QualType ArgType = Arg->getType(); 6417 if (!ParamType->isPointerType() || 6418 ParamType.hasAddressSpace() || 6419 !ArgType->isPointerType() || 6420 !ArgType->getPointeeType().hasAddressSpace()) { 6421 OverloadParams.push_back(ParamType); 6422 continue; 6423 } 6424 6425 QualType PointeeType = ParamType->getPointeeType(); 6426 if (PointeeType.hasAddressSpace()) 6427 continue; 6428 6429 NeedsNewDecl = true; 6430 LangAS AS = ArgType->getPointeeType().getAddressSpace(); 6431 6432 PointeeType = Context.getAddrSpaceQualType(PointeeType, AS); 6433 OverloadParams.push_back(Context.getPointerType(PointeeType)); 6434 } 6435 6436 if (!NeedsNewDecl) 6437 return nullptr; 6438 6439 FunctionProtoType::ExtProtoInfo EPI; 6440 EPI.Variadic = FT->isVariadic(); 6441 QualType OverloadTy = Context.getFunctionType(FT->getReturnType(), 6442 OverloadParams, EPI); 6443 DeclContext *Parent = FDecl->getParent(); 6444 FunctionDecl *OverloadDecl = FunctionDecl::Create( 6445 Context, Parent, FDecl->getLocation(), FDecl->getLocation(), 6446 FDecl->getIdentifier(), OverloadTy, 6447 /*TInfo=*/nullptr, SC_Extern, Sema->getCurFPFeatures().isFPConstrained(), 6448 false, 6449 /*hasPrototype=*/true); 6450 SmallVector<ParmVarDecl*, 16> Params; 6451 FT = cast<FunctionProtoType>(OverloadTy); 6452 for (unsigned i = 0, e = FT->getNumParams(); i != e; ++i) { 6453 QualType ParamType = FT->getParamType(i); 6454 ParmVarDecl *Parm = 6455 ParmVarDecl::Create(Context, OverloadDecl, SourceLocation(), 6456 SourceLocation(), nullptr, ParamType, 6457 /*TInfo=*/nullptr, SC_None, nullptr); 6458 Parm->setScopeInfo(0, i); 6459 Params.push_back(Parm); 6460 } 6461 OverloadDecl->setParams(Params); 6462 Sema->mergeDeclAttributes(OverloadDecl, FDecl); 6463 return OverloadDecl; 6464 } 6465 6466 static void checkDirectCallValidity(Sema &S, const Expr *Fn, 6467 FunctionDecl *Callee, 6468 MultiExprArg ArgExprs) { 6469 // `Callee` (when called with ArgExprs) may be ill-formed. enable_if (and 6470 // similar attributes) really don't like it when functions are called with an 6471 // invalid number of args. 6472 if (S.TooManyArguments(Callee->getNumParams(), ArgExprs.size(), 6473 /*PartialOverloading=*/false) && 6474 !Callee->isVariadic()) 6475 return; 6476 if (Callee->getMinRequiredArguments() > ArgExprs.size()) 6477 return; 6478 6479 if (const EnableIfAttr *Attr = 6480 S.CheckEnableIf(Callee, Fn->getBeginLoc(), ArgExprs, true)) { 6481 S.Diag(Fn->getBeginLoc(), 6482 isa<CXXMethodDecl>(Callee) 6483 ? diag::err_ovl_no_viable_member_function_in_call 6484 : diag::err_ovl_no_viable_function_in_call) 6485 << Callee << Callee->getSourceRange(); 6486 S.Diag(Callee->getLocation(), 6487 diag::note_ovl_candidate_disabled_by_function_cond_attr) 6488 << Attr->getCond()->getSourceRange() << Attr->getMessage(); 6489 return; 6490 } 6491 } 6492 6493 static bool enclosingClassIsRelatedToClassInWhichMembersWereFound( 6494 const UnresolvedMemberExpr *const UME, Sema &S) { 6495 6496 const auto GetFunctionLevelDCIfCXXClass = 6497 [](Sema &S) -> const CXXRecordDecl * { 6498 const DeclContext *const DC = S.getFunctionLevelDeclContext(); 6499 if (!DC || !DC->getParent()) 6500 return nullptr; 6501 6502 // If the call to some member function was made from within a member 6503 // function body 'M' return return 'M's parent. 6504 if (const auto *MD = dyn_cast<CXXMethodDecl>(DC)) 6505 return MD->getParent()->getCanonicalDecl(); 6506 // else the call was made from within a default member initializer of a 6507 // class, so return the class. 6508 if (const auto *RD = dyn_cast<CXXRecordDecl>(DC)) 6509 return RD->getCanonicalDecl(); 6510 return nullptr; 6511 }; 6512 // If our DeclContext is neither a member function nor a class (in the 6513 // case of a lambda in a default member initializer), we can't have an 6514 // enclosing 'this'. 6515 6516 const CXXRecordDecl *const CurParentClass = GetFunctionLevelDCIfCXXClass(S); 6517 if (!CurParentClass) 6518 return false; 6519 6520 // The naming class for implicit member functions call is the class in which 6521 // name lookup starts. 6522 const CXXRecordDecl *const NamingClass = 6523 UME->getNamingClass()->getCanonicalDecl(); 6524 assert(NamingClass && "Must have naming class even for implicit access"); 6525 6526 // If the unresolved member functions were found in a 'naming class' that is 6527 // related (either the same or derived from) to the class that contains the 6528 // member function that itself contained the implicit member access. 6529 6530 return CurParentClass == NamingClass || 6531 CurParentClass->isDerivedFrom(NamingClass); 6532 } 6533 6534 static void 6535 tryImplicitlyCaptureThisIfImplicitMemberFunctionAccessWithDependentArgs( 6536 Sema &S, const UnresolvedMemberExpr *const UME, SourceLocation CallLoc) { 6537 6538 if (!UME) 6539 return; 6540 6541 LambdaScopeInfo *const CurLSI = S.getCurLambda(); 6542 // Only try and implicitly capture 'this' within a C++ Lambda if it hasn't 6543 // already been captured, or if this is an implicit member function call (if 6544 // it isn't, an attempt to capture 'this' should already have been made). 6545 if (!CurLSI || CurLSI->ImpCaptureStyle == CurLSI->ImpCap_None || 6546 !UME->isImplicitAccess() || CurLSI->isCXXThisCaptured()) 6547 return; 6548 6549 // Check if the naming class in which the unresolved members were found is 6550 // related (same as or is a base of) to the enclosing class. 6551 6552 if (!enclosingClassIsRelatedToClassInWhichMembersWereFound(UME, S)) 6553 return; 6554 6555 6556 DeclContext *EnclosingFunctionCtx = S.CurContext->getParent()->getParent(); 6557 // If the enclosing function is not dependent, then this lambda is 6558 // capture ready, so if we can capture this, do so. 6559 if (!EnclosingFunctionCtx->isDependentContext()) { 6560 // If the current lambda and all enclosing lambdas can capture 'this' - 6561 // then go ahead and capture 'this' (since our unresolved overload set 6562 // contains at least one non-static member function). 6563 if (!S.CheckCXXThisCapture(CallLoc, /*Explcit*/ false, /*Diagnose*/ false)) 6564 S.CheckCXXThisCapture(CallLoc); 6565 } else if (S.CurContext->isDependentContext()) { 6566 // ... since this is an implicit member reference, that might potentially 6567 // involve a 'this' capture, mark 'this' for potential capture in 6568 // enclosing lambdas. 6569 if (CurLSI->ImpCaptureStyle != CurLSI->ImpCap_None) 6570 CurLSI->addPotentialThisCapture(CallLoc); 6571 } 6572 } 6573 6574 // Once a call is fully resolved, warn for unqualified calls to specific 6575 // C++ standard functions, like move and forward. 6576 static void DiagnosedUnqualifiedCallsToStdFunctions(Sema &S, CallExpr *Call) { 6577 // We are only checking unary move and forward so exit early here. 6578 if (Call->getNumArgs() != 1) 6579 return; 6580 6581 Expr *E = Call->getCallee()->IgnoreParenImpCasts(); 6582 if (!E || isa<UnresolvedLookupExpr>(E)) 6583 return; 6584 DeclRefExpr *DRE = dyn_cast_or_null<DeclRefExpr>(E); 6585 if (!DRE || !DRE->getLocation().isValid()) 6586 return; 6587 6588 if (DRE->getQualifier()) 6589 return; 6590 6591 const FunctionDecl *FD = Call->getDirectCallee(); 6592 if (!FD) 6593 return; 6594 6595 // Only warn for some functions deemed more frequent or problematic. 6596 unsigned BuiltinID = FD->getBuiltinID(); 6597 if (BuiltinID != Builtin::BImove && BuiltinID != Builtin::BIforward) 6598 return; 6599 6600 S.Diag(DRE->getLocation(), diag::warn_unqualified_call_to_std_cast_function) 6601 << FD->getQualifiedNameAsString() 6602 << FixItHint::CreateInsertion(DRE->getLocation(), "std::"); 6603 } 6604 6605 ExprResult Sema::ActOnCallExpr(Scope *Scope, Expr *Fn, SourceLocation LParenLoc, 6606 MultiExprArg ArgExprs, SourceLocation RParenLoc, 6607 Expr *ExecConfig) { 6608 ExprResult Call = 6609 BuildCallExpr(Scope, Fn, LParenLoc, ArgExprs, RParenLoc, ExecConfig, 6610 /*IsExecConfig=*/false, /*AllowRecovery=*/true); 6611 if (Call.isInvalid()) 6612 return Call; 6613 6614 // Diagnose uses of the C++20 "ADL-only template-id call" feature in earlier 6615 // language modes. 6616 if (auto *ULE = dyn_cast<UnresolvedLookupExpr>(Fn)) { 6617 if (ULE->hasExplicitTemplateArgs() && 6618 ULE->decls_begin() == ULE->decls_end()) { 6619 Diag(Fn->getExprLoc(), getLangOpts().CPlusPlus20 6620 ? diag::warn_cxx17_compat_adl_only_template_id 6621 : diag::ext_adl_only_template_id) 6622 << ULE->getName(); 6623 } 6624 } 6625 6626 if (LangOpts.OpenMP) 6627 Call = ActOnOpenMPCall(Call, Scope, LParenLoc, ArgExprs, RParenLoc, 6628 ExecConfig); 6629 if (LangOpts.CPlusPlus) { 6630 CallExpr *CE = dyn_cast<CallExpr>(Call.get()); 6631 if (CE) 6632 DiagnosedUnqualifiedCallsToStdFunctions(*this, CE); 6633 } 6634 return Call; 6635 } 6636 6637 /// BuildCallExpr - Handle a call to Fn with the specified array of arguments. 6638 /// This provides the location of the left/right parens and a list of comma 6639 /// locations. 6640 ExprResult Sema::BuildCallExpr(Scope *Scope, Expr *Fn, SourceLocation LParenLoc, 6641 MultiExprArg ArgExprs, SourceLocation RParenLoc, 6642 Expr *ExecConfig, bool IsExecConfig, 6643 bool AllowRecovery) { 6644 // Since this might be a postfix expression, get rid of ParenListExprs. 6645 ExprResult Result = MaybeConvertParenListExprToParenExpr(Scope, Fn); 6646 if (Result.isInvalid()) return ExprError(); 6647 Fn = Result.get(); 6648 6649 if (checkArgsForPlaceholders(*this, ArgExprs)) 6650 return ExprError(); 6651 6652 if (getLangOpts().CPlusPlus) { 6653 // If this is a pseudo-destructor expression, build the call immediately. 6654 if (isa<CXXPseudoDestructorExpr>(Fn)) { 6655 if (!ArgExprs.empty()) { 6656 // Pseudo-destructor calls should not have any arguments. 6657 Diag(Fn->getBeginLoc(), diag::err_pseudo_dtor_call_with_args) 6658 << FixItHint::CreateRemoval( 6659 SourceRange(ArgExprs.front()->getBeginLoc(), 6660 ArgExprs.back()->getEndLoc())); 6661 } 6662 6663 return CallExpr::Create(Context, Fn, /*Args=*/{}, Context.VoidTy, 6664 VK_PRValue, RParenLoc, CurFPFeatureOverrides()); 6665 } 6666 if (Fn->getType() == Context.PseudoObjectTy) { 6667 ExprResult result = CheckPlaceholderExpr(Fn); 6668 if (result.isInvalid()) return ExprError(); 6669 Fn = result.get(); 6670 } 6671 6672 // Determine whether this is a dependent call inside a C++ template, 6673 // in which case we won't do any semantic analysis now. 6674 if (Fn->isTypeDependent() || Expr::hasAnyTypeDependentArguments(ArgExprs)) { 6675 if (ExecConfig) { 6676 return CUDAKernelCallExpr::Create(Context, Fn, 6677 cast<CallExpr>(ExecConfig), ArgExprs, 6678 Context.DependentTy, VK_PRValue, 6679 RParenLoc, CurFPFeatureOverrides()); 6680 } else { 6681 6682 tryImplicitlyCaptureThisIfImplicitMemberFunctionAccessWithDependentArgs( 6683 *this, dyn_cast<UnresolvedMemberExpr>(Fn->IgnoreParens()), 6684 Fn->getBeginLoc()); 6685 6686 return CallExpr::Create(Context, Fn, ArgExprs, Context.DependentTy, 6687 VK_PRValue, RParenLoc, CurFPFeatureOverrides()); 6688 } 6689 } 6690 6691 // Determine whether this is a call to an object (C++ [over.call.object]). 6692 if (Fn->getType()->isRecordType()) 6693 return BuildCallToObjectOfClassType(Scope, Fn, LParenLoc, ArgExprs, 6694 RParenLoc); 6695 6696 if (Fn->getType() == Context.UnknownAnyTy) { 6697 ExprResult result = rebuildUnknownAnyFunction(*this, Fn); 6698 if (result.isInvalid()) return ExprError(); 6699 Fn = result.get(); 6700 } 6701 6702 if (Fn->getType() == Context.BoundMemberTy) { 6703 return BuildCallToMemberFunction(Scope, Fn, LParenLoc, ArgExprs, 6704 RParenLoc, ExecConfig, IsExecConfig, 6705 AllowRecovery); 6706 } 6707 } 6708 6709 // Check for overloaded calls. This can happen even in C due to extensions. 6710 if (Fn->getType() == Context.OverloadTy) { 6711 OverloadExpr::FindResult find = OverloadExpr::find(Fn); 6712 6713 // We aren't supposed to apply this logic if there's an '&' involved. 6714 if (!find.HasFormOfMemberPointer) { 6715 if (Expr::hasAnyTypeDependentArguments(ArgExprs)) 6716 return CallExpr::Create(Context, Fn, ArgExprs, Context.DependentTy, 6717 VK_PRValue, RParenLoc, CurFPFeatureOverrides()); 6718 OverloadExpr *ovl = find.Expression; 6719 if (UnresolvedLookupExpr *ULE = dyn_cast<UnresolvedLookupExpr>(ovl)) 6720 return BuildOverloadedCallExpr( 6721 Scope, Fn, ULE, LParenLoc, ArgExprs, RParenLoc, ExecConfig, 6722 /*AllowTypoCorrection=*/true, find.IsAddressOfOperand); 6723 return BuildCallToMemberFunction(Scope, Fn, LParenLoc, ArgExprs, 6724 RParenLoc, ExecConfig, IsExecConfig, 6725 AllowRecovery); 6726 } 6727 } 6728 6729 // If we're directly calling a function, get the appropriate declaration. 6730 if (Fn->getType() == Context.UnknownAnyTy) { 6731 ExprResult result = rebuildUnknownAnyFunction(*this, Fn); 6732 if (result.isInvalid()) return ExprError(); 6733 Fn = result.get(); 6734 } 6735 6736 Expr *NakedFn = Fn->IgnoreParens(); 6737 6738 bool CallingNDeclIndirectly = false; 6739 NamedDecl *NDecl = nullptr; 6740 if (UnaryOperator *UnOp = dyn_cast<UnaryOperator>(NakedFn)) { 6741 if (UnOp->getOpcode() == UO_AddrOf) { 6742 CallingNDeclIndirectly = true; 6743 NakedFn = UnOp->getSubExpr()->IgnoreParens(); 6744 } 6745 } 6746 6747 if (auto *DRE = dyn_cast<DeclRefExpr>(NakedFn)) { 6748 NDecl = DRE->getDecl(); 6749 6750 FunctionDecl *FDecl = dyn_cast<FunctionDecl>(NDecl); 6751 if (FDecl && FDecl->getBuiltinID()) { 6752 // Rewrite the function decl for this builtin by replacing parameters 6753 // with no explicit address space with the address space of the arguments 6754 // in ArgExprs. 6755 if ((FDecl = 6756 rewriteBuiltinFunctionDecl(this, Context, FDecl, ArgExprs))) { 6757 NDecl = FDecl; 6758 Fn = DeclRefExpr::Create( 6759 Context, FDecl->getQualifierLoc(), SourceLocation(), FDecl, false, 6760 SourceLocation(), FDecl->getType(), Fn->getValueKind(), FDecl, 6761 nullptr, DRE->isNonOdrUse()); 6762 } 6763 } 6764 } else if (isa<MemberExpr>(NakedFn)) 6765 NDecl = cast<MemberExpr>(NakedFn)->getMemberDecl(); 6766 6767 if (FunctionDecl *FD = dyn_cast_or_null<FunctionDecl>(NDecl)) { 6768 if (CallingNDeclIndirectly && !checkAddressOfFunctionIsAvailable( 6769 FD, /*Complain=*/true, Fn->getBeginLoc())) 6770 return ExprError(); 6771 6772 checkDirectCallValidity(*this, Fn, FD, ArgExprs); 6773 6774 // If this expression is a call to a builtin function in HIP device 6775 // compilation, allow a pointer-type argument to default address space to be 6776 // passed as a pointer-type parameter to a non-default address space. 6777 // If Arg is declared in the default address space and Param is declared 6778 // in a non-default address space, perform an implicit address space cast to 6779 // the parameter type. 6780 if (getLangOpts().HIP && getLangOpts().CUDAIsDevice && FD && 6781 FD->getBuiltinID()) { 6782 for (unsigned Idx = 0; Idx < FD->param_size(); ++Idx) { 6783 ParmVarDecl *Param = FD->getParamDecl(Idx); 6784 if (!ArgExprs[Idx] || !Param || !Param->getType()->isPointerType() || 6785 !ArgExprs[Idx]->getType()->isPointerType()) 6786 continue; 6787 6788 auto ParamAS = Param->getType()->getPointeeType().getAddressSpace(); 6789 auto ArgTy = ArgExprs[Idx]->getType(); 6790 auto ArgPtTy = ArgTy->getPointeeType(); 6791 auto ArgAS = ArgPtTy.getAddressSpace(); 6792 6793 // Add address space cast if target address spaces are different 6794 bool NeedImplicitASC = 6795 ParamAS != LangAS::Default && // Pointer params in generic AS don't need special handling. 6796 ( ArgAS == LangAS::Default || // We do allow implicit conversion from generic AS 6797 // or from specific AS which has target AS matching that of Param. 6798 getASTContext().getTargetAddressSpace(ArgAS) == getASTContext().getTargetAddressSpace(ParamAS)); 6799 if (!NeedImplicitASC) 6800 continue; 6801 6802 // First, ensure that the Arg is an RValue. 6803 if (ArgExprs[Idx]->isGLValue()) { 6804 ArgExprs[Idx] = ImplicitCastExpr::Create( 6805 Context, ArgExprs[Idx]->getType(), CK_NoOp, ArgExprs[Idx], 6806 nullptr, VK_PRValue, FPOptionsOverride()); 6807 } 6808 6809 // Construct a new arg type with address space of Param 6810 Qualifiers ArgPtQuals = ArgPtTy.getQualifiers(); 6811 ArgPtQuals.setAddressSpace(ParamAS); 6812 auto NewArgPtTy = 6813 Context.getQualifiedType(ArgPtTy.getUnqualifiedType(), ArgPtQuals); 6814 auto NewArgTy = 6815 Context.getQualifiedType(Context.getPointerType(NewArgPtTy), 6816 ArgTy.getQualifiers()); 6817 6818 // Finally perform an implicit address space cast 6819 ArgExprs[Idx] = ImpCastExprToType(ArgExprs[Idx], NewArgTy, 6820 CK_AddressSpaceConversion) 6821 .get(); 6822 } 6823 } 6824 } 6825 6826 if (Context.isDependenceAllowed() && 6827 (Fn->isTypeDependent() || Expr::hasAnyTypeDependentArguments(ArgExprs))) { 6828 assert(!getLangOpts().CPlusPlus); 6829 assert((Fn->containsErrors() || 6830 llvm::any_of(ArgExprs, 6831 [](clang::Expr *E) { return E->containsErrors(); })) && 6832 "should only occur in error-recovery path."); 6833 QualType ReturnType = 6834 llvm::isa_and_nonnull<FunctionDecl>(NDecl) 6835 ? cast<FunctionDecl>(NDecl)->getCallResultType() 6836 : Context.DependentTy; 6837 return CallExpr::Create(Context, Fn, ArgExprs, ReturnType, 6838 Expr::getValueKindForType(ReturnType), RParenLoc, 6839 CurFPFeatureOverrides()); 6840 } 6841 return BuildResolvedCallExpr(Fn, NDecl, LParenLoc, ArgExprs, RParenLoc, 6842 ExecConfig, IsExecConfig); 6843 } 6844 6845 /// BuildBuiltinCallExpr - Create a call to a builtin function specified by Id 6846 // with the specified CallArgs 6847 Expr *Sema::BuildBuiltinCallExpr(SourceLocation Loc, Builtin::ID Id, 6848 MultiExprArg CallArgs) { 6849 StringRef Name = Context.BuiltinInfo.getName(Id); 6850 LookupResult R(*this, &Context.Idents.get(Name), Loc, 6851 Sema::LookupOrdinaryName); 6852 LookupName(R, TUScope, /*AllowBuiltinCreation=*/true); 6853 6854 auto *BuiltInDecl = R.getAsSingle<FunctionDecl>(); 6855 assert(BuiltInDecl && "failed to find builtin declaration"); 6856 6857 ExprResult DeclRef = 6858 BuildDeclRefExpr(BuiltInDecl, BuiltInDecl->getType(), VK_LValue, Loc); 6859 assert(DeclRef.isUsable() && "Builtin reference cannot fail"); 6860 6861 ExprResult Call = 6862 BuildCallExpr(/*Scope=*/nullptr, DeclRef.get(), Loc, CallArgs, Loc); 6863 6864 assert(!Call.isInvalid() && "Call to builtin cannot fail!"); 6865 return Call.get(); 6866 } 6867 6868 /// Parse a __builtin_astype expression. 6869 /// 6870 /// __builtin_astype( value, dst type ) 6871 /// 6872 ExprResult Sema::ActOnAsTypeExpr(Expr *E, ParsedType ParsedDestTy, 6873 SourceLocation BuiltinLoc, 6874 SourceLocation RParenLoc) { 6875 QualType DstTy = GetTypeFromParser(ParsedDestTy); 6876 return BuildAsTypeExpr(E, DstTy, BuiltinLoc, RParenLoc); 6877 } 6878 6879 /// Create a new AsTypeExpr node (bitcast) from the arguments. 6880 ExprResult Sema::BuildAsTypeExpr(Expr *E, QualType DestTy, 6881 SourceLocation BuiltinLoc, 6882 SourceLocation RParenLoc) { 6883 ExprValueKind VK = VK_PRValue; 6884 ExprObjectKind OK = OK_Ordinary; 6885 QualType SrcTy = E->getType(); 6886 if (!SrcTy->isDependentType() && 6887 Context.getTypeSize(DestTy) != Context.getTypeSize(SrcTy)) 6888 return ExprError( 6889 Diag(BuiltinLoc, diag::err_invalid_astype_of_different_size) 6890 << DestTy << SrcTy << E->getSourceRange()); 6891 return new (Context) AsTypeExpr(E, DestTy, VK, OK, BuiltinLoc, RParenLoc); 6892 } 6893 6894 /// ActOnConvertVectorExpr - create a new convert-vector expression from the 6895 /// provided arguments. 6896 /// 6897 /// __builtin_convertvector( value, dst type ) 6898 /// 6899 ExprResult Sema::ActOnConvertVectorExpr(Expr *E, ParsedType ParsedDestTy, 6900 SourceLocation BuiltinLoc, 6901 SourceLocation RParenLoc) { 6902 TypeSourceInfo *TInfo; 6903 GetTypeFromParser(ParsedDestTy, &TInfo); 6904 return SemaConvertVectorExpr(E, TInfo, BuiltinLoc, RParenLoc); 6905 } 6906 6907 /// BuildResolvedCallExpr - Build a call to a resolved expression, 6908 /// i.e. an expression not of \p OverloadTy. The expression should 6909 /// unary-convert to an expression of function-pointer or 6910 /// block-pointer type. 6911 /// 6912 /// \param NDecl the declaration being called, if available 6913 ExprResult Sema::BuildResolvedCallExpr(Expr *Fn, NamedDecl *NDecl, 6914 SourceLocation LParenLoc, 6915 ArrayRef<Expr *> Args, 6916 SourceLocation RParenLoc, Expr *Config, 6917 bool IsExecConfig, ADLCallKind UsesADL) { 6918 FunctionDecl *FDecl = dyn_cast_or_null<FunctionDecl>(NDecl); 6919 unsigned BuiltinID = (FDecl ? FDecl->getBuiltinID() : 0); 6920 6921 // Functions with 'interrupt' attribute cannot be called directly. 6922 if (FDecl && FDecl->hasAttr<AnyX86InterruptAttr>()) { 6923 Diag(Fn->getExprLoc(), diag::err_anyx86_interrupt_called); 6924 return ExprError(); 6925 } 6926 6927 // Interrupt handlers don't save off the VFP regs automatically on ARM, 6928 // so there's some risk when calling out to non-interrupt handler functions 6929 // that the callee might not preserve them. This is easy to diagnose here, 6930 // but can be very challenging to debug. 6931 // Likewise, X86 interrupt handlers may only call routines with attribute 6932 // no_caller_saved_registers since there is no efficient way to 6933 // save and restore the non-GPR state. 6934 if (auto *Caller = getCurFunctionDecl()) { 6935 if (Caller->hasAttr<ARMInterruptAttr>()) { 6936 bool VFP = Context.getTargetInfo().hasFeature("vfp"); 6937 if (VFP && (!FDecl || !FDecl->hasAttr<ARMInterruptAttr>())) { 6938 Diag(Fn->getExprLoc(), diag::warn_arm_interrupt_calling_convention); 6939 if (FDecl) 6940 Diag(FDecl->getLocation(), diag::note_callee_decl) << FDecl; 6941 } 6942 } 6943 if (Caller->hasAttr<AnyX86InterruptAttr>() && 6944 ((!FDecl || !FDecl->hasAttr<AnyX86NoCallerSavedRegistersAttr>()))) { 6945 Diag(Fn->getExprLoc(), diag::warn_anyx86_interrupt_regsave); 6946 if (FDecl) 6947 Diag(FDecl->getLocation(), diag::note_callee_decl) << FDecl; 6948 } 6949 } 6950 6951 // Promote the function operand. 6952 // We special-case function promotion here because we only allow promoting 6953 // builtin functions to function pointers in the callee of a call. 6954 ExprResult Result; 6955 QualType ResultTy; 6956 if (BuiltinID && 6957 Fn->getType()->isSpecificBuiltinType(BuiltinType::BuiltinFn)) { 6958 // Extract the return type from the (builtin) function pointer type. 6959 // FIXME Several builtins still have setType in 6960 // Sema::CheckBuiltinFunctionCall. One should review their definitions in 6961 // Builtins.def to ensure they are correct before removing setType calls. 6962 QualType FnPtrTy = Context.getPointerType(FDecl->getType()); 6963 Result = ImpCastExprToType(Fn, FnPtrTy, CK_BuiltinFnToFnPtr).get(); 6964 ResultTy = FDecl->getCallResultType(); 6965 } else { 6966 Result = CallExprUnaryConversions(Fn); 6967 ResultTy = Context.BoolTy; 6968 } 6969 if (Result.isInvalid()) 6970 return ExprError(); 6971 Fn = Result.get(); 6972 6973 // Check for a valid function type, but only if it is not a builtin which 6974 // requires custom type checking. These will be handled by 6975 // CheckBuiltinFunctionCall below just after creation of the call expression. 6976 const FunctionType *FuncT = nullptr; 6977 if (!BuiltinID || !Context.BuiltinInfo.hasCustomTypechecking(BuiltinID)) { 6978 retry: 6979 if (const PointerType *PT = Fn->getType()->getAs<PointerType>()) { 6980 // C99 6.5.2.2p1 - "The expression that denotes the called function shall 6981 // have type pointer to function". 6982 FuncT = PT->getPointeeType()->getAs<FunctionType>(); 6983 if (!FuncT) 6984 return ExprError(Diag(LParenLoc, diag::err_typecheck_call_not_function) 6985 << Fn->getType() << Fn->getSourceRange()); 6986 } else if (const BlockPointerType *BPT = 6987 Fn->getType()->getAs<BlockPointerType>()) { 6988 FuncT = BPT->getPointeeType()->castAs<FunctionType>(); 6989 } else { 6990 // Handle calls to expressions of unknown-any type. 6991 if (Fn->getType() == Context.UnknownAnyTy) { 6992 ExprResult rewrite = rebuildUnknownAnyFunction(*this, Fn); 6993 if (rewrite.isInvalid()) 6994 return ExprError(); 6995 Fn = rewrite.get(); 6996 goto retry; 6997 } 6998 6999 return ExprError(Diag(LParenLoc, diag::err_typecheck_call_not_function) 7000 << Fn->getType() << Fn->getSourceRange()); 7001 } 7002 } 7003 7004 // Get the number of parameters in the function prototype, if any. 7005 // We will allocate space for max(Args.size(), NumParams) arguments 7006 // in the call expression. 7007 const auto *Proto = dyn_cast_or_null<FunctionProtoType>(FuncT); 7008 unsigned NumParams = Proto ? Proto->getNumParams() : 0; 7009 7010 CallExpr *TheCall; 7011 if (Config) { 7012 assert(UsesADL == ADLCallKind::NotADL && 7013 "CUDAKernelCallExpr should not use ADL"); 7014 TheCall = CUDAKernelCallExpr::Create(Context, Fn, cast<CallExpr>(Config), 7015 Args, ResultTy, VK_PRValue, RParenLoc, 7016 CurFPFeatureOverrides(), NumParams); 7017 } else { 7018 TheCall = 7019 CallExpr::Create(Context, Fn, Args, ResultTy, VK_PRValue, RParenLoc, 7020 CurFPFeatureOverrides(), NumParams, UsesADL); 7021 } 7022 7023 if (!Context.isDependenceAllowed()) { 7024 // Forget about the nulled arguments since typo correction 7025 // do not handle them well. 7026 TheCall->shrinkNumArgs(Args.size()); 7027 // C cannot always handle TypoExpr nodes in builtin calls and direct 7028 // function calls as their argument checking don't necessarily handle 7029 // dependent types properly, so make sure any TypoExprs have been 7030 // dealt with. 7031 ExprResult Result = CorrectDelayedTyposInExpr(TheCall); 7032 if (!Result.isUsable()) return ExprError(); 7033 CallExpr *TheOldCall = TheCall; 7034 TheCall = dyn_cast<CallExpr>(Result.get()); 7035 bool CorrectedTypos = TheCall != TheOldCall; 7036 if (!TheCall) return Result; 7037 Args = llvm::makeArrayRef(TheCall->getArgs(), TheCall->getNumArgs()); 7038 7039 // A new call expression node was created if some typos were corrected. 7040 // However it may not have been constructed with enough storage. In this 7041 // case, rebuild the node with enough storage. The waste of space is 7042 // immaterial since this only happens when some typos were corrected. 7043 if (CorrectedTypos && Args.size() < NumParams) { 7044 if (Config) 7045 TheCall = CUDAKernelCallExpr::Create( 7046 Context, Fn, cast<CallExpr>(Config), Args, ResultTy, VK_PRValue, 7047 RParenLoc, CurFPFeatureOverrides(), NumParams); 7048 else 7049 TheCall = 7050 CallExpr::Create(Context, Fn, Args, ResultTy, VK_PRValue, RParenLoc, 7051 CurFPFeatureOverrides(), NumParams, UsesADL); 7052 } 7053 // We can now handle the nulled arguments for the default arguments. 7054 TheCall->setNumArgsUnsafe(std::max<unsigned>(Args.size(), NumParams)); 7055 } 7056 7057 // Bail out early if calling a builtin with custom type checking. 7058 if (BuiltinID && Context.BuiltinInfo.hasCustomTypechecking(BuiltinID)) 7059 return CheckBuiltinFunctionCall(FDecl, BuiltinID, TheCall); 7060 7061 if (getLangOpts().CUDA) { 7062 if (Config) { 7063 // CUDA: Kernel calls must be to global functions 7064 if (FDecl && !FDecl->hasAttr<CUDAGlobalAttr>()) 7065 return ExprError(Diag(LParenLoc,diag::err_kern_call_not_global_function) 7066 << FDecl << Fn->getSourceRange()); 7067 7068 // CUDA: Kernel function must have 'void' return type 7069 if (!FuncT->getReturnType()->isVoidType() && 7070 !FuncT->getReturnType()->getAs<AutoType>() && 7071 !FuncT->getReturnType()->isInstantiationDependentType()) 7072 return ExprError(Diag(LParenLoc, diag::err_kern_type_not_void_return) 7073 << Fn->getType() << Fn->getSourceRange()); 7074 } else { 7075 // CUDA: Calls to global functions must be configured 7076 if (FDecl && FDecl->hasAttr<CUDAGlobalAttr>()) 7077 return ExprError(Diag(LParenLoc, diag::err_global_call_not_config) 7078 << FDecl << Fn->getSourceRange()); 7079 } 7080 } 7081 7082 // Check for a valid return type 7083 if (CheckCallReturnType(FuncT->getReturnType(), Fn->getBeginLoc(), TheCall, 7084 FDecl)) 7085 return ExprError(); 7086 7087 // We know the result type of the call, set it. 7088 TheCall->setType(FuncT->getCallResultType(Context)); 7089 TheCall->setValueKind(Expr::getValueKindForType(FuncT->getReturnType())); 7090 7091 if (Proto) { 7092 if (ConvertArgumentsForCall(TheCall, Fn, FDecl, Proto, Args, RParenLoc, 7093 IsExecConfig)) 7094 return ExprError(); 7095 } else { 7096 assert(isa<FunctionNoProtoType>(FuncT) && "Unknown FunctionType!"); 7097 7098 if (FDecl) { 7099 // Check if we have too few/too many template arguments, based 7100 // on our knowledge of the function definition. 7101 const FunctionDecl *Def = nullptr; 7102 if (FDecl->hasBody(Def) && Args.size() != Def->param_size()) { 7103 Proto = Def->getType()->getAs<FunctionProtoType>(); 7104 if (!Proto || !(Proto->isVariadic() && Args.size() >= Def->param_size())) 7105 Diag(RParenLoc, diag::warn_call_wrong_number_of_arguments) 7106 << (Args.size() > Def->param_size()) << FDecl << Fn->getSourceRange(); 7107 } 7108 7109 // If the function we're calling isn't a function prototype, but we have 7110 // a function prototype from a prior declaratiom, use that prototype. 7111 if (!FDecl->hasPrototype()) 7112 Proto = FDecl->getType()->getAs<FunctionProtoType>(); 7113 } 7114 7115 // If we still haven't found a prototype to use but there are arguments to 7116 // the call, diagnose this as calling a function without a prototype. 7117 // However, if we found a function declaration, check to see if 7118 // -Wdeprecated-non-prototype was disabled where the function was declared. 7119 // If so, we will silence the diagnostic here on the assumption that this 7120 // interface is intentional and the user knows what they're doing. We will 7121 // also silence the diagnostic if there is a function declaration but it 7122 // was implicitly defined (the user already gets diagnostics about the 7123 // creation of the implicit function declaration, so the additional warning 7124 // is not helpful). 7125 if (!Proto && !Args.empty() && 7126 (!FDecl || (!FDecl->isImplicit() && 7127 !Diags.isIgnored(diag::warn_strict_uses_without_prototype, 7128 FDecl->getLocation())))) 7129 Diag(LParenLoc, diag::warn_strict_uses_without_prototype) 7130 << (FDecl != nullptr) << FDecl; 7131 7132 // Promote the arguments (C99 6.5.2.2p6). 7133 for (unsigned i = 0, e = Args.size(); i != e; i++) { 7134 Expr *Arg = Args[i]; 7135 7136 if (Proto && i < Proto->getNumParams()) { 7137 InitializedEntity Entity = InitializedEntity::InitializeParameter( 7138 Context, Proto->getParamType(i), Proto->isParamConsumed(i)); 7139 ExprResult ArgE = 7140 PerformCopyInitialization(Entity, SourceLocation(), Arg); 7141 if (ArgE.isInvalid()) 7142 return true; 7143 7144 Arg = ArgE.getAs<Expr>(); 7145 7146 } else { 7147 ExprResult ArgE = DefaultArgumentPromotion(Arg); 7148 7149 if (ArgE.isInvalid()) 7150 return true; 7151 7152 Arg = ArgE.getAs<Expr>(); 7153 } 7154 7155 if (RequireCompleteType(Arg->getBeginLoc(), Arg->getType(), 7156 diag::err_call_incomplete_argument, Arg)) 7157 return ExprError(); 7158 7159 TheCall->setArg(i, Arg); 7160 } 7161 TheCall->computeDependence(); 7162 } 7163 7164 if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(FDecl)) 7165 if (!Method->isStatic()) 7166 return ExprError(Diag(LParenLoc, diag::err_member_call_without_object) 7167 << Fn->getSourceRange()); 7168 7169 // Check for sentinels 7170 if (NDecl) 7171 DiagnoseSentinelCalls(NDecl, LParenLoc, Args); 7172 7173 // Warn for unions passing across security boundary (CMSE). 7174 if (FuncT != nullptr && FuncT->getCmseNSCallAttr()) { 7175 for (unsigned i = 0, e = Args.size(); i != e; i++) { 7176 if (const auto *RT = 7177 dyn_cast<RecordType>(Args[i]->getType().getCanonicalType())) { 7178 if (RT->getDecl()->isOrContainsUnion()) 7179 Diag(Args[i]->getBeginLoc(), diag::warn_cmse_nonsecure_union) 7180 << 0 << i; 7181 } 7182 } 7183 } 7184 7185 // Do special checking on direct calls to functions. 7186 if (FDecl) { 7187 if (CheckFunctionCall(FDecl, TheCall, Proto)) 7188 return ExprError(); 7189 7190 checkFortifiedBuiltinMemoryFunction(FDecl, TheCall); 7191 7192 if (BuiltinID) 7193 return CheckBuiltinFunctionCall(FDecl, BuiltinID, TheCall); 7194 } else if (NDecl) { 7195 if (CheckPointerCall(NDecl, TheCall, Proto)) 7196 return ExprError(); 7197 } else { 7198 if (CheckOtherCall(TheCall, Proto)) 7199 return ExprError(); 7200 } 7201 7202 return CheckForImmediateInvocation(MaybeBindToTemporary(TheCall), FDecl); 7203 } 7204 7205 ExprResult 7206 Sema::ActOnCompoundLiteral(SourceLocation LParenLoc, ParsedType Ty, 7207 SourceLocation RParenLoc, Expr *InitExpr) { 7208 assert(Ty && "ActOnCompoundLiteral(): missing type"); 7209 assert(InitExpr && "ActOnCompoundLiteral(): missing expression"); 7210 7211 TypeSourceInfo *TInfo; 7212 QualType literalType = GetTypeFromParser(Ty, &TInfo); 7213 if (!TInfo) 7214 TInfo = Context.getTrivialTypeSourceInfo(literalType); 7215 7216 return BuildCompoundLiteralExpr(LParenLoc, TInfo, RParenLoc, InitExpr); 7217 } 7218 7219 ExprResult 7220 Sema::BuildCompoundLiteralExpr(SourceLocation LParenLoc, TypeSourceInfo *TInfo, 7221 SourceLocation RParenLoc, Expr *LiteralExpr) { 7222 QualType literalType = TInfo->getType(); 7223 7224 if (literalType->isArrayType()) { 7225 if (RequireCompleteSizedType( 7226 LParenLoc, Context.getBaseElementType(literalType), 7227 diag::err_array_incomplete_or_sizeless_type, 7228 SourceRange(LParenLoc, LiteralExpr->getSourceRange().getEnd()))) 7229 return ExprError(); 7230 if (literalType->isVariableArrayType()) { 7231 if (!tryToFixVariablyModifiedVarType(TInfo, literalType, LParenLoc, 7232 diag::err_variable_object_no_init)) { 7233 return ExprError(); 7234 } 7235 } 7236 } else if (!literalType->isDependentType() && 7237 RequireCompleteType(LParenLoc, literalType, 7238 diag::err_typecheck_decl_incomplete_type, 7239 SourceRange(LParenLoc, LiteralExpr->getSourceRange().getEnd()))) 7240 return ExprError(); 7241 7242 InitializedEntity Entity 7243 = InitializedEntity::InitializeCompoundLiteralInit(TInfo); 7244 InitializationKind Kind 7245 = InitializationKind::CreateCStyleCast(LParenLoc, 7246 SourceRange(LParenLoc, RParenLoc), 7247 /*InitList=*/true); 7248 InitializationSequence InitSeq(*this, Entity, Kind, LiteralExpr); 7249 ExprResult Result = InitSeq.Perform(*this, Entity, Kind, LiteralExpr, 7250 &literalType); 7251 if (Result.isInvalid()) 7252 return ExprError(); 7253 LiteralExpr = Result.get(); 7254 7255 bool isFileScope = !CurContext->isFunctionOrMethod(); 7256 7257 // In C, compound literals are l-values for some reason. 7258 // For GCC compatibility, in C++, file-scope array compound literals with 7259 // constant initializers are also l-values, and compound literals are 7260 // otherwise prvalues. 7261 // 7262 // (GCC also treats C++ list-initialized file-scope array prvalues with 7263 // constant initializers as l-values, but that's non-conforming, so we don't 7264 // follow it there.) 7265 // 7266 // FIXME: It would be better to handle the lvalue cases as materializing and 7267 // lifetime-extending a temporary object, but our materialized temporaries 7268 // representation only supports lifetime extension from a variable, not "out 7269 // of thin air". 7270 // FIXME: For C++, we might want to instead lifetime-extend only if a pointer 7271 // is bound to the result of applying array-to-pointer decay to the compound 7272 // literal. 7273 // FIXME: GCC supports compound literals of reference type, which should 7274 // obviously have a value kind derived from the kind of reference involved. 7275 ExprValueKind VK = 7276 (getLangOpts().CPlusPlus && !(isFileScope && literalType->isArrayType())) 7277 ? VK_PRValue 7278 : VK_LValue; 7279 7280 if (isFileScope) 7281 if (auto ILE = dyn_cast<InitListExpr>(LiteralExpr)) 7282 for (unsigned i = 0, j = ILE->getNumInits(); i != j; i++) { 7283 Expr *Init = ILE->getInit(i); 7284 ILE->setInit(i, ConstantExpr::Create(Context, Init)); 7285 } 7286 7287 auto *E = new (Context) CompoundLiteralExpr(LParenLoc, TInfo, literalType, 7288 VK, LiteralExpr, isFileScope); 7289 if (isFileScope) { 7290 if (!LiteralExpr->isTypeDependent() && 7291 !LiteralExpr->isValueDependent() && 7292 !literalType->isDependentType()) // C99 6.5.2.5p3 7293 if (CheckForConstantInitializer(LiteralExpr, literalType)) 7294 return ExprError(); 7295 } else if (literalType.getAddressSpace() != LangAS::opencl_private && 7296 literalType.getAddressSpace() != LangAS::Default) { 7297 // Embedded-C extensions to C99 6.5.2.5: 7298 // "If the compound literal occurs inside the body of a function, the 7299 // type name shall not be qualified by an address-space qualifier." 7300 Diag(LParenLoc, diag::err_compound_literal_with_address_space) 7301 << SourceRange(LParenLoc, LiteralExpr->getSourceRange().getEnd()); 7302 return ExprError(); 7303 } 7304 7305 if (!isFileScope && !getLangOpts().CPlusPlus) { 7306 // Compound literals that have automatic storage duration are destroyed at 7307 // the end of the scope in C; in C++, they're just temporaries. 7308 7309 // Emit diagnostics if it is or contains a C union type that is non-trivial 7310 // to destruct. 7311 if (E->getType().hasNonTrivialToPrimitiveDestructCUnion()) 7312 checkNonTrivialCUnion(E->getType(), E->getExprLoc(), 7313 NTCUC_CompoundLiteral, NTCUK_Destruct); 7314 7315 // Diagnose jumps that enter or exit the lifetime of the compound literal. 7316 if (literalType.isDestructedType()) { 7317 Cleanup.setExprNeedsCleanups(true); 7318 ExprCleanupObjects.push_back(E); 7319 getCurFunction()->setHasBranchProtectedScope(); 7320 } 7321 } 7322 7323 if (E->getType().hasNonTrivialToPrimitiveDefaultInitializeCUnion() || 7324 E->getType().hasNonTrivialToPrimitiveCopyCUnion()) 7325 checkNonTrivialCUnionInInitializer(E->getInitializer(), 7326 E->getInitializer()->getExprLoc()); 7327 7328 return MaybeBindToTemporary(E); 7329 } 7330 7331 ExprResult 7332 Sema::ActOnInitList(SourceLocation LBraceLoc, MultiExprArg InitArgList, 7333 SourceLocation RBraceLoc) { 7334 // Only produce each kind of designated initialization diagnostic once. 7335 SourceLocation FirstDesignator; 7336 bool DiagnosedArrayDesignator = false; 7337 bool DiagnosedNestedDesignator = false; 7338 bool DiagnosedMixedDesignator = false; 7339 7340 // Check that any designated initializers are syntactically valid in the 7341 // current language mode. 7342 for (unsigned I = 0, E = InitArgList.size(); I != E; ++I) { 7343 if (auto *DIE = dyn_cast<DesignatedInitExpr>(InitArgList[I])) { 7344 if (FirstDesignator.isInvalid()) 7345 FirstDesignator = DIE->getBeginLoc(); 7346 7347 if (!getLangOpts().CPlusPlus) 7348 break; 7349 7350 if (!DiagnosedNestedDesignator && DIE->size() > 1) { 7351 DiagnosedNestedDesignator = true; 7352 Diag(DIE->getBeginLoc(), diag::ext_designated_init_nested) 7353 << DIE->getDesignatorsSourceRange(); 7354 } 7355 7356 for (auto &Desig : DIE->designators()) { 7357 if (!Desig.isFieldDesignator() && !DiagnosedArrayDesignator) { 7358 DiagnosedArrayDesignator = true; 7359 Diag(Desig.getBeginLoc(), diag::ext_designated_init_array) 7360 << Desig.getSourceRange(); 7361 } 7362 } 7363 7364 if (!DiagnosedMixedDesignator && 7365 !isa<DesignatedInitExpr>(InitArgList[0])) { 7366 DiagnosedMixedDesignator = true; 7367 Diag(DIE->getBeginLoc(), diag::ext_designated_init_mixed) 7368 << DIE->getSourceRange(); 7369 Diag(InitArgList[0]->getBeginLoc(), diag::note_designated_init_mixed) 7370 << InitArgList[0]->getSourceRange(); 7371 } 7372 } else if (getLangOpts().CPlusPlus && !DiagnosedMixedDesignator && 7373 isa<DesignatedInitExpr>(InitArgList[0])) { 7374 DiagnosedMixedDesignator = true; 7375 auto *DIE = cast<DesignatedInitExpr>(InitArgList[0]); 7376 Diag(DIE->getBeginLoc(), diag::ext_designated_init_mixed) 7377 << DIE->getSourceRange(); 7378 Diag(InitArgList[I]->getBeginLoc(), diag::note_designated_init_mixed) 7379 << InitArgList[I]->getSourceRange(); 7380 } 7381 } 7382 7383 if (FirstDesignator.isValid()) { 7384 // Only diagnose designated initiaization as a C++20 extension if we didn't 7385 // already diagnose use of (non-C++20) C99 designator syntax. 7386 if (getLangOpts().CPlusPlus && !DiagnosedArrayDesignator && 7387 !DiagnosedNestedDesignator && !DiagnosedMixedDesignator) { 7388 Diag(FirstDesignator, getLangOpts().CPlusPlus20 7389 ? diag::warn_cxx17_compat_designated_init 7390 : diag::ext_cxx_designated_init); 7391 } else if (!getLangOpts().CPlusPlus && !getLangOpts().C99) { 7392 Diag(FirstDesignator, diag::ext_designated_init); 7393 } 7394 } 7395 7396 return BuildInitList(LBraceLoc, InitArgList, RBraceLoc); 7397 } 7398 7399 ExprResult 7400 Sema::BuildInitList(SourceLocation LBraceLoc, MultiExprArg InitArgList, 7401 SourceLocation RBraceLoc) { 7402 // Semantic analysis for initializers is done by ActOnDeclarator() and 7403 // CheckInitializer() - it requires knowledge of the object being initialized. 7404 7405 // Immediately handle non-overload placeholders. Overloads can be 7406 // resolved contextually, but everything else here can't. 7407 for (unsigned I = 0, E = InitArgList.size(); I != E; ++I) { 7408 if (InitArgList[I]->getType()->isNonOverloadPlaceholderType()) { 7409 ExprResult result = CheckPlaceholderExpr(InitArgList[I]); 7410 7411 // Ignore failures; dropping the entire initializer list because 7412 // of one failure would be terrible for indexing/etc. 7413 if (result.isInvalid()) continue; 7414 7415 InitArgList[I] = result.get(); 7416 } 7417 } 7418 7419 InitListExpr *E = new (Context) InitListExpr(Context, LBraceLoc, InitArgList, 7420 RBraceLoc); 7421 E->setType(Context.VoidTy); // FIXME: just a place holder for now. 7422 return E; 7423 } 7424 7425 /// Do an explicit extend of the given block pointer if we're in ARC. 7426 void Sema::maybeExtendBlockObject(ExprResult &E) { 7427 assert(E.get()->getType()->isBlockPointerType()); 7428 assert(E.get()->isPRValue()); 7429 7430 // Only do this in an r-value context. 7431 if (!getLangOpts().ObjCAutoRefCount) return; 7432 7433 E = ImplicitCastExpr::Create( 7434 Context, E.get()->getType(), CK_ARCExtendBlockObject, E.get(), 7435 /*base path*/ nullptr, VK_PRValue, FPOptionsOverride()); 7436 Cleanup.setExprNeedsCleanups(true); 7437 } 7438 7439 /// Prepare a conversion of the given expression to an ObjC object 7440 /// pointer type. 7441 CastKind Sema::PrepareCastToObjCObjectPointer(ExprResult &E) { 7442 QualType type = E.get()->getType(); 7443 if (type->isObjCObjectPointerType()) { 7444 return CK_BitCast; 7445 } else if (type->isBlockPointerType()) { 7446 maybeExtendBlockObject(E); 7447 return CK_BlockPointerToObjCPointerCast; 7448 } else { 7449 assert(type->isPointerType()); 7450 return CK_CPointerToObjCPointerCast; 7451 } 7452 } 7453 7454 /// Prepares for a scalar cast, performing all the necessary stages 7455 /// except the final cast and returning the kind required. 7456 CastKind Sema::PrepareScalarCast(ExprResult &Src, QualType DestTy) { 7457 // Both Src and Dest are scalar types, i.e. arithmetic or pointer. 7458 // Also, callers should have filtered out the invalid cases with 7459 // pointers. Everything else should be possible. 7460 7461 QualType SrcTy = Src.get()->getType(); 7462 if (Context.hasSameUnqualifiedType(SrcTy, DestTy)) 7463 return CK_NoOp; 7464 7465 switch (Type::ScalarTypeKind SrcKind = SrcTy->getScalarTypeKind()) { 7466 case Type::STK_MemberPointer: 7467 llvm_unreachable("member pointer type in C"); 7468 7469 case Type::STK_CPointer: 7470 case Type::STK_BlockPointer: 7471 case Type::STK_ObjCObjectPointer: 7472 switch (DestTy->getScalarTypeKind()) { 7473 case Type::STK_CPointer: { 7474 LangAS SrcAS = SrcTy->getPointeeType().getAddressSpace(); 7475 LangAS DestAS = DestTy->getPointeeType().getAddressSpace(); 7476 if (SrcAS != DestAS) 7477 return CK_AddressSpaceConversion; 7478 if (Context.hasCvrSimilarType(SrcTy, DestTy)) 7479 return CK_NoOp; 7480 return CK_BitCast; 7481 } 7482 case Type::STK_BlockPointer: 7483 return (SrcKind == Type::STK_BlockPointer 7484 ? CK_BitCast : CK_AnyPointerToBlockPointerCast); 7485 case Type::STK_ObjCObjectPointer: 7486 if (SrcKind == Type::STK_ObjCObjectPointer) 7487 return CK_BitCast; 7488 if (SrcKind == Type::STK_CPointer) 7489 return CK_CPointerToObjCPointerCast; 7490 maybeExtendBlockObject(Src); 7491 return CK_BlockPointerToObjCPointerCast; 7492 case Type::STK_Bool: 7493 return CK_PointerToBoolean; 7494 case Type::STK_Integral: 7495 return CK_PointerToIntegral; 7496 case Type::STK_Floating: 7497 case Type::STK_FloatingComplex: 7498 case Type::STK_IntegralComplex: 7499 case Type::STK_MemberPointer: 7500 case Type::STK_FixedPoint: 7501 llvm_unreachable("illegal cast from pointer"); 7502 } 7503 llvm_unreachable("Should have returned before this"); 7504 7505 case Type::STK_FixedPoint: 7506 switch (DestTy->getScalarTypeKind()) { 7507 case Type::STK_FixedPoint: 7508 return CK_FixedPointCast; 7509 case Type::STK_Bool: 7510 return CK_FixedPointToBoolean; 7511 case Type::STK_Integral: 7512 return CK_FixedPointToIntegral; 7513 case Type::STK_Floating: 7514 return CK_FixedPointToFloating; 7515 case Type::STK_IntegralComplex: 7516 case Type::STK_FloatingComplex: 7517 Diag(Src.get()->getExprLoc(), 7518 diag::err_unimplemented_conversion_with_fixed_point_type) 7519 << DestTy; 7520 return CK_IntegralCast; 7521 case Type::STK_CPointer: 7522 case Type::STK_ObjCObjectPointer: 7523 case Type::STK_BlockPointer: 7524 case Type::STK_MemberPointer: 7525 llvm_unreachable("illegal cast to pointer type"); 7526 } 7527 llvm_unreachable("Should have returned before this"); 7528 7529 case Type::STK_Bool: // casting from bool is like casting from an integer 7530 case Type::STK_Integral: 7531 switch (DestTy->getScalarTypeKind()) { 7532 case Type::STK_CPointer: 7533 case Type::STK_ObjCObjectPointer: 7534 case Type::STK_BlockPointer: 7535 if (Src.get()->isNullPointerConstant(Context, 7536 Expr::NPC_ValueDependentIsNull)) 7537 return CK_NullToPointer; 7538 return CK_IntegralToPointer; 7539 case Type::STK_Bool: 7540 return CK_IntegralToBoolean; 7541 case Type::STK_Integral: 7542 return CK_IntegralCast; 7543 case Type::STK_Floating: 7544 return CK_IntegralToFloating; 7545 case Type::STK_IntegralComplex: 7546 Src = ImpCastExprToType(Src.get(), 7547 DestTy->castAs<ComplexType>()->getElementType(), 7548 CK_IntegralCast); 7549 return CK_IntegralRealToComplex; 7550 case Type::STK_FloatingComplex: 7551 Src = ImpCastExprToType(Src.get(), 7552 DestTy->castAs<ComplexType>()->getElementType(), 7553 CK_IntegralToFloating); 7554 return CK_FloatingRealToComplex; 7555 case Type::STK_MemberPointer: 7556 llvm_unreachable("member pointer type in C"); 7557 case Type::STK_FixedPoint: 7558 return CK_IntegralToFixedPoint; 7559 } 7560 llvm_unreachable("Should have returned before this"); 7561 7562 case Type::STK_Floating: 7563 switch (DestTy->getScalarTypeKind()) { 7564 case Type::STK_Floating: 7565 return CK_FloatingCast; 7566 case Type::STK_Bool: 7567 return CK_FloatingToBoolean; 7568 case Type::STK_Integral: 7569 return CK_FloatingToIntegral; 7570 case Type::STK_FloatingComplex: 7571 Src = ImpCastExprToType(Src.get(), 7572 DestTy->castAs<ComplexType>()->getElementType(), 7573 CK_FloatingCast); 7574 return CK_FloatingRealToComplex; 7575 case Type::STK_IntegralComplex: 7576 Src = ImpCastExprToType(Src.get(), 7577 DestTy->castAs<ComplexType>()->getElementType(), 7578 CK_FloatingToIntegral); 7579 return CK_IntegralRealToComplex; 7580 case Type::STK_CPointer: 7581 case Type::STK_ObjCObjectPointer: 7582 case Type::STK_BlockPointer: 7583 llvm_unreachable("valid float->pointer cast?"); 7584 case Type::STK_MemberPointer: 7585 llvm_unreachable("member pointer type in C"); 7586 case Type::STK_FixedPoint: 7587 return CK_FloatingToFixedPoint; 7588 } 7589 llvm_unreachable("Should have returned before this"); 7590 7591 case Type::STK_FloatingComplex: 7592 switch (DestTy->getScalarTypeKind()) { 7593 case Type::STK_FloatingComplex: 7594 return CK_FloatingComplexCast; 7595 case Type::STK_IntegralComplex: 7596 return CK_FloatingComplexToIntegralComplex; 7597 case Type::STK_Floating: { 7598 QualType ET = SrcTy->castAs<ComplexType>()->getElementType(); 7599 if (Context.hasSameType(ET, DestTy)) 7600 return CK_FloatingComplexToReal; 7601 Src = ImpCastExprToType(Src.get(), ET, CK_FloatingComplexToReal); 7602 return CK_FloatingCast; 7603 } 7604 case Type::STK_Bool: 7605 return CK_FloatingComplexToBoolean; 7606 case Type::STK_Integral: 7607 Src = ImpCastExprToType(Src.get(), 7608 SrcTy->castAs<ComplexType>()->getElementType(), 7609 CK_FloatingComplexToReal); 7610 return CK_FloatingToIntegral; 7611 case Type::STK_CPointer: 7612 case Type::STK_ObjCObjectPointer: 7613 case Type::STK_BlockPointer: 7614 llvm_unreachable("valid complex float->pointer cast?"); 7615 case Type::STK_MemberPointer: 7616 llvm_unreachable("member pointer type in C"); 7617 case Type::STK_FixedPoint: 7618 Diag(Src.get()->getExprLoc(), 7619 diag::err_unimplemented_conversion_with_fixed_point_type) 7620 << SrcTy; 7621 return CK_IntegralCast; 7622 } 7623 llvm_unreachable("Should have returned before this"); 7624 7625 case Type::STK_IntegralComplex: 7626 switch (DestTy->getScalarTypeKind()) { 7627 case Type::STK_FloatingComplex: 7628 return CK_IntegralComplexToFloatingComplex; 7629 case Type::STK_IntegralComplex: 7630 return CK_IntegralComplexCast; 7631 case Type::STK_Integral: { 7632 QualType ET = SrcTy->castAs<ComplexType>()->getElementType(); 7633 if (Context.hasSameType(ET, DestTy)) 7634 return CK_IntegralComplexToReal; 7635 Src = ImpCastExprToType(Src.get(), ET, CK_IntegralComplexToReal); 7636 return CK_IntegralCast; 7637 } 7638 case Type::STK_Bool: 7639 return CK_IntegralComplexToBoolean; 7640 case Type::STK_Floating: 7641 Src = ImpCastExprToType(Src.get(), 7642 SrcTy->castAs<ComplexType>()->getElementType(), 7643 CK_IntegralComplexToReal); 7644 return CK_IntegralToFloating; 7645 case Type::STK_CPointer: 7646 case Type::STK_ObjCObjectPointer: 7647 case Type::STK_BlockPointer: 7648 llvm_unreachable("valid complex int->pointer cast?"); 7649 case Type::STK_MemberPointer: 7650 llvm_unreachable("member pointer type in C"); 7651 case Type::STK_FixedPoint: 7652 Diag(Src.get()->getExprLoc(), 7653 diag::err_unimplemented_conversion_with_fixed_point_type) 7654 << SrcTy; 7655 return CK_IntegralCast; 7656 } 7657 llvm_unreachable("Should have returned before this"); 7658 } 7659 7660 llvm_unreachable("Unhandled scalar cast"); 7661 } 7662 7663 static bool breakDownVectorType(QualType type, uint64_t &len, 7664 QualType &eltType) { 7665 // Vectors are simple. 7666 if (const VectorType *vecType = type->getAs<VectorType>()) { 7667 len = vecType->getNumElements(); 7668 eltType = vecType->getElementType(); 7669 assert(eltType->isScalarType()); 7670 return true; 7671 } 7672 7673 // We allow lax conversion to and from non-vector types, but only if 7674 // they're real types (i.e. non-complex, non-pointer scalar types). 7675 if (!type->isRealType()) return false; 7676 7677 len = 1; 7678 eltType = type; 7679 return true; 7680 } 7681 7682 /// Are the two types SVE-bitcast-compatible types? I.e. is bitcasting from the 7683 /// first SVE type (e.g. an SVE VLAT) to the second type (e.g. an SVE VLST) 7684 /// allowed? 7685 /// 7686 /// This will also return false if the two given types do not make sense from 7687 /// the perspective of SVE bitcasts. 7688 bool Sema::isValidSveBitcast(QualType srcTy, QualType destTy) { 7689 assert(srcTy->isVectorType() || destTy->isVectorType()); 7690 7691 auto ValidScalableConversion = [](QualType FirstType, QualType SecondType) { 7692 if (!FirstType->isSizelessBuiltinType()) 7693 return false; 7694 7695 const auto *VecTy = SecondType->getAs<VectorType>(); 7696 return VecTy && 7697 VecTy->getVectorKind() == VectorType::SveFixedLengthDataVector; 7698 }; 7699 7700 return ValidScalableConversion(srcTy, destTy) || 7701 ValidScalableConversion(destTy, srcTy); 7702 } 7703 7704 /// Are the two types matrix types and do they have the same dimensions i.e. 7705 /// do they have the same number of rows and the same number of columns? 7706 bool Sema::areMatrixTypesOfTheSameDimension(QualType srcTy, QualType destTy) { 7707 if (!destTy->isMatrixType() || !srcTy->isMatrixType()) 7708 return false; 7709 7710 const ConstantMatrixType *matSrcType = srcTy->getAs<ConstantMatrixType>(); 7711 const ConstantMatrixType *matDestType = destTy->getAs<ConstantMatrixType>(); 7712 7713 return matSrcType->getNumRows() == matDestType->getNumRows() && 7714 matSrcType->getNumColumns() == matDestType->getNumColumns(); 7715 } 7716 7717 bool Sema::areVectorTypesSameSize(QualType SrcTy, QualType DestTy) { 7718 assert(DestTy->isVectorType() || SrcTy->isVectorType()); 7719 7720 uint64_t SrcLen, DestLen; 7721 QualType SrcEltTy, DestEltTy; 7722 if (!breakDownVectorType(SrcTy, SrcLen, SrcEltTy)) 7723 return false; 7724 if (!breakDownVectorType(DestTy, DestLen, DestEltTy)) 7725 return false; 7726 7727 // ASTContext::getTypeSize will return the size rounded up to a 7728 // power of 2, so instead of using that, we need to use the raw 7729 // element size multiplied by the element count. 7730 uint64_t SrcEltSize = Context.getTypeSize(SrcEltTy); 7731 uint64_t DestEltSize = Context.getTypeSize(DestEltTy); 7732 7733 return (SrcLen * SrcEltSize == DestLen * DestEltSize); 7734 } 7735 7736 // This returns true if at least one of the types is an altivec vector. 7737 bool Sema::anyAltivecTypes(QualType SrcTy, QualType DestTy) { 7738 assert((DestTy->isVectorType() || SrcTy->isVectorType()) && 7739 "expected at least one type to be a vector here"); 7740 7741 bool IsSrcTyAltivec = 7742 SrcTy->isVectorType() && (SrcTy->castAs<VectorType>()->getVectorKind() == 7743 VectorType::AltiVecVector); 7744 bool IsDestTyAltivec = DestTy->isVectorType() && 7745 (DestTy->castAs<VectorType>()->getVectorKind() == 7746 VectorType::AltiVecVector); 7747 7748 return (IsSrcTyAltivec || IsDestTyAltivec); 7749 } 7750 7751 // This returns true if both vectors have the same element type. 7752 bool Sema::areSameVectorElemTypes(QualType SrcTy, QualType DestTy) { 7753 assert((DestTy->isVectorType() || SrcTy->isVectorType()) && 7754 "expected at least one type to be a vector here"); 7755 7756 uint64_t SrcLen, DestLen; 7757 QualType SrcEltTy, DestEltTy; 7758 if (!breakDownVectorType(SrcTy, SrcLen, SrcEltTy)) 7759 return false; 7760 if (!breakDownVectorType(DestTy, DestLen, DestEltTy)) 7761 return false; 7762 7763 return (SrcEltTy == DestEltTy); 7764 } 7765 7766 /// Are the two types lax-compatible vector types? That is, given 7767 /// that one of them is a vector, do they have equal storage sizes, 7768 /// where the storage size is the number of elements times the element 7769 /// size? 7770 /// 7771 /// This will also return false if either of the types is neither a 7772 /// vector nor a real type. 7773 bool Sema::areLaxCompatibleVectorTypes(QualType srcTy, QualType destTy) { 7774 assert(destTy->isVectorType() || srcTy->isVectorType()); 7775 7776 // Disallow lax conversions between scalars and ExtVectors (these 7777 // conversions are allowed for other vector types because common headers 7778 // depend on them). Most scalar OP ExtVector cases are handled by the 7779 // splat path anyway, which does what we want (convert, not bitcast). 7780 // What this rules out for ExtVectors is crazy things like char4*float. 7781 if (srcTy->isScalarType() && destTy->isExtVectorType()) return false; 7782 if (destTy->isScalarType() && srcTy->isExtVectorType()) return false; 7783 7784 return areVectorTypesSameSize(srcTy, destTy); 7785 } 7786 7787 /// Is this a legal conversion between two types, one of which is 7788 /// known to be a vector type? 7789 bool Sema::isLaxVectorConversion(QualType srcTy, QualType destTy) { 7790 assert(destTy->isVectorType() || srcTy->isVectorType()); 7791 7792 switch (Context.getLangOpts().getLaxVectorConversions()) { 7793 case LangOptions::LaxVectorConversionKind::None: 7794 return false; 7795 7796 case LangOptions::LaxVectorConversionKind::Integer: 7797 if (!srcTy->isIntegralOrEnumerationType()) { 7798 auto *Vec = srcTy->getAs<VectorType>(); 7799 if (!Vec || !Vec->getElementType()->isIntegralOrEnumerationType()) 7800 return false; 7801 } 7802 if (!destTy->isIntegralOrEnumerationType()) { 7803 auto *Vec = destTy->getAs<VectorType>(); 7804 if (!Vec || !Vec->getElementType()->isIntegralOrEnumerationType()) 7805 return false; 7806 } 7807 // OK, integer (vector) -> integer (vector) bitcast. 7808 break; 7809 7810 case LangOptions::LaxVectorConversionKind::All: 7811 break; 7812 } 7813 7814 return areLaxCompatibleVectorTypes(srcTy, destTy); 7815 } 7816 7817 bool Sema::CheckMatrixCast(SourceRange R, QualType DestTy, QualType SrcTy, 7818 CastKind &Kind) { 7819 if (SrcTy->isMatrixType() && DestTy->isMatrixType()) { 7820 if (!areMatrixTypesOfTheSameDimension(SrcTy, DestTy)) { 7821 return Diag(R.getBegin(), diag::err_invalid_conversion_between_matrixes) 7822 << DestTy << SrcTy << R; 7823 } 7824 } else if (SrcTy->isMatrixType()) { 7825 return Diag(R.getBegin(), 7826 diag::err_invalid_conversion_between_matrix_and_type) 7827 << SrcTy << DestTy << R; 7828 } else if (DestTy->isMatrixType()) { 7829 return Diag(R.getBegin(), 7830 diag::err_invalid_conversion_between_matrix_and_type) 7831 << DestTy << SrcTy << R; 7832 } 7833 7834 Kind = CK_MatrixCast; 7835 return false; 7836 } 7837 7838 bool Sema::CheckVectorCast(SourceRange R, QualType VectorTy, QualType Ty, 7839 CastKind &Kind) { 7840 assert(VectorTy->isVectorType() && "Not a vector type!"); 7841 7842 if (Ty->isVectorType() || Ty->isIntegralType(Context)) { 7843 if (!areLaxCompatibleVectorTypes(Ty, VectorTy)) 7844 return Diag(R.getBegin(), 7845 Ty->isVectorType() ? 7846 diag::err_invalid_conversion_between_vectors : 7847 diag::err_invalid_conversion_between_vector_and_integer) 7848 << VectorTy << Ty << R; 7849 } else 7850 return Diag(R.getBegin(), 7851 diag::err_invalid_conversion_between_vector_and_scalar) 7852 << VectorTy << Ty << R; 7853 7854 Kind = CK_BitCast; 7855 return false; 7856 } 7857 7858 ExprResult Sema::prepareVectorSplat(QualType VectorTy, Expr *SplattedExpr) { 7859 QualType DestElemTy = VectorTy->castAs<VectorType>()->getElementType(); 7860 7861 if (DestElemTy == SplattedExpr->getType()) 7862 return SplattedExpr; 7863 7864 assert(DestElemTy->isFloatingType() || 7865 DestElemTy->isIntegralOrEnumerationType()); 7866 7867 CastKind CK; 7868 if (VectorTy->isExtVectorType() && SplattedExpr->getType()->isBooleanType()) { 7869 // OpenCL requires that we convert `true` boolean expressions to -1, but 7870 // only when splatting vectors. 7871 if (DestElemTy->isFloatingType()) { 7872 // To avoid having to have a CK_BooleanToSignedFloating cast kind, we cast 7873 // in two steps: boolean to signed integral, then to floating. 7874 ExprResult CastExprRes = ImpCastExprToType(SplattedExpr, Context.IntTy, 7875 CK_BooleanToSignedIntegral); 7876 SplattedExpr = CastExprRes.get(); 7877 CK = CK_IntegralToFloating; 7878 } else { 7879 CK = CK_BooleanToSignedIntegral; 7880 } 7881 } else { 7882 ExprResult CastExprRes = SplattedExpr; 7883 CK = PrepareScalarCast(CastExprRes, DestElemTy); 7884 if (CastExprRes.isInvalid()) 7885 return ExprError(); 7886 SplattedExpr = CastExprRes.get(); 7887 } 7888 return ImpCastExprToType(SplattedExpr, DestElemTy, CK); 7889 } 7890 7891 ExprResult Sema::CheckExtVectorCast(SourceRange R, QualType DestTy, 7892 Expr *CastExpr, CastKind &Kind) { 7893 assert(DestTy->isExtVectorType() && "Not an extended vector type!"); 7894 7895 QualType SrcTy = CastExpr->getType(); 7896 7897 // If SrcTy is a VectorType, the total size must match to explicitly cast to 7898 // an ExtVectorType. 7899 // In OpenCL, casts between vectors of different types are not allowed. 7900 // (See OpenCL 6.2). 7901 if (SrcTy->isVectorType()) { 7902 if (!areLaxCompatibleVectorTypes(SrcTy, DestTy) || 7903 (getLangOpts().OpenCL && 7904 !Context.hasSameUnqualifiedType(DestTy, SrcTy))) { 7905 Diag(R.getBegin(),diag::err_invalid_conversion_between_ext_vectors) 7906 << DestTy << SrcTy << R; 7907 return ExprError(); 7908 } 7909 Kind = CK_BitCast; 7910 return CastExpr; 7911 } 7912 7913 // All non-pointer scalars can be cast to ExtVector type. The appropriate 7914 // conversion will take place first from scalar to elt type, and then 7915 // splat from elt type to vector. 7916 if (SrcTy->isPointerType()) 7917 return Diag(R.getBegin(), 7918 diag::err_invalid_conversion_between_vector_and_scalar) 7919 << DestTy << SrcTy << R; 7920 7921 Kind = CK_VectorSplat; 7922 return prepareVectorSplat(DestTy, CastExpr); 7923 } 7924 7925 ExprResult 7926 Sema::ActOnCastExpr(Scope *S, SourceLocation LParenLoc, 7927 Declarator &D, ParsedType &Ty, 7928 SourceLocation RParenLoc, Expr *CastExpr) { 7929 assert(!D.isInvalidType() && (CastExpr != nullptr) && 7930 "ActOnCastExpr(): missing type or expr"); 7931 7932 TypeSourceInfo *castTInfo = GetTypeForDeclaratorCast(D, CastExpr->getType()); 7933 if (D.isInvalidType()) 7934 return ExprError(); 7935 7936 if (getLangOpts().CPlusPlus) { 7937 // Check that there are no default arguments (C++ only). 7938 CheckExtraCXXDefaultArguments(D); 7939 } else { 7940 // Make sure any TypoExprs have been dealt with. 7941 ExprResult Res = CorrectDelayedTyposInExpr(CastExpr); 7942 if (!Res.isUsable()) 7943 return ExprError(); 7944 CastExpr = Res.get(); 7945 } 7946 7947 checkUnusedDeclAttributes(D); 7948 7949 QualType castType = castTInfo->getType(); 7950 Ty = CreateParsedType(castType, castTInfo); 7951 7952 bool isVectorLiteral = false; 7953 7954 // Check for an altivec or OpenCL literal, 7955 // i.e. all the elements are integer constants. 7956 ParenExpr *PE = dyn_cast<ParenExpr>(CastExpr); 7957 ParenListExpr *PLE = dyn_cast<ParenListExpr>(CastExpr); 7958 if ((getLangOpts().AltiVec || getLangOpts().ZVector || getLangOpts().OpenCL) 7959 && castType->isVectorType() && (PE || PLE)) { 7960 if (PLE && PLE->getNumExprs() == 0) { 7961 Diag(PLE->getExprLoc(), diag::err_altivec_empty_initializer); 7962 return ExprError(); 7963 } 7964 if (PE || PLE->getNumExprs() == 1) { 7965 Expr *E = (PE ? PE->getSubExpr() : PLE->getExpr(0)); 7966 if (!E->isTypeDependent() && !E->getType()->isVectorType()) 7967 isVectorLiteral = true; 7968 } 7969 else 7970 isVectorLiteral = true; 7971 } 7972 7973 // If this is a vector initializer, '(' type ')' '(' init, ..., init ')' 7974 // then handle it as such. 7975 if (isVectorLiteral) 7976 return BuildVectorLiteral(LParenLoc, RParenLoc, CastExpr, castTInfo); 7977 7978 // If the Expr being casted is a ParenListExpr, handle it specially. 7979 // This is not an AltiVec-style cast, so turn the ParenListExpr into a 7980 // sequence of BinOp comma operators. 7981 if (isa<ParenListExpr>(CastExpr)) { 7982 ExprResult Result = MaybeConvertParenListExprToParenExpr(S, CastExpr); 7983 if (Result.isInvalid()) return ExprError(); 7984 CastExpr = Result.get(); 7985 } 7986 7987 if (getLangOpts().CPlusPlus && !castType->isVoidType()) 7988 Diag(LParenLoc, diag::warn_old_style_cast) << CastExpr->getSourceRange(); 7989 7990 CheckTollFreeBridgeCast(castType, CastExpr); 7991 7992 CheckObjCBridgeRelatedCast(castType, CastExpr); 7993 7994 DiscardMisalignedMemberAddress(castType.getTypePtr(), CastExpr); 7995 7996 return BuildCStyleCastExpr(LParenLoc, castTInfo, RParenLoc, CastExpr); 7997 } 7998 7999 ExprResult Sema::BuildVectorLiteral(SourceLocation LParenLoc, 8000 SourceLocation RParenLoc, Expr *E, 8001 TypeSourceInfo *TInfo) { 8002 assert((isa<ParenListExpr>(E) || isa<ParenExpr>(E)) && 8003 "Expected paren or paren list expression"); 8004 8005 Expr **exprs; 8006 unsigned numExprs; 8007 Expr *subExpr; 8008 SourceLocation LiteralLParenLoc, LiteralRParenLoc; 8009 if (ParenListExpr *PE = dyn_cast<ParenListExpr>(E)) { 8010 LiteralLParenLoc = PE->getLParenLoc(); 8011 LiteralRParenLoc = PE->getRParenLoc(); 8012 exprs = PE->getExprs(); 8013 numExprs = PE->getNumExprs(); 8014 } else { // isa<ParenExpr> by assertion at function entrance 8015 LiteralLParenLoc = cast<ParenExpr>(E)->getLParen(); 8016 LiteralRParenLoc = cast<ParenExpr>(E)->getRParen(); 8017 subExpr = cast<ParenExpr>(E)->getSubExpr(); 8018 exprs = &subExpr; 8019 numExprs = 1; 8020 } 8021 8022 QualType Ty = TInfo->getType(); 8023 assert(Ty->isVectorType() && "Expected vector type"); 8024 8025 SmallVector<Expr *, 8> initExprs; 8026 const VectorType *VTy = Ty->castAs<VectorType>(); 8027 unsigned numElems = VTy->getNumElements(); 8028 8029 // '(...)' form of vector initialization in AltiVec: the number of 8030 // initializers must be one or must match the size of the vector. 8031 // If a single value is specified in the initializer then it will be 8032 // replicated to all the components of the vector 8033 if (CheckAltivecInitFromScalar(E->getSourceRange(), Ty, 8034 VTy->getElementType())) 8035 return ExprError(); 8036 if (ShouldSplatAltivecScalarInCast(VTy)) { 8037 // The number of initializers must be one or must match the size of the 8038 // vector. If a single value is specified in the initializer then it will 8039 // be replicated to all the components of the vector 8040 if (numExprs == 1) { 8041 QualType ElemTy = VTy->getElementType(); 8042 ExprResult Literal = DefaultLvalueConversion(exprs[0]); 8043 if (Literal.isInvalid()) 8044 return ExprError(); 8045 Literal = ImpCastExprToType(Literal.get(), ElemTy, 8046 PrepareScalarCast(Literal, ElemTy)); 8047 return BuildCStyleCastExpr(LParenLoc, TInfo, RParenLoc, Literal.get()); 8048 } 8049 else if (numExprs < numElems) { 8050 Diag(E->getExprLoc(), 8051 diag::err_incorrect_number_of_vector_initializers); 8052 return ExprError(); 8053 } 8054 else 8055 initExprs.append(exprs, exprs + numExprs); 8056 } 8057 else { 8058 // For OpenCL, when the number of initializers is a single value, 8059 // it will be replicated to all components of the vector. 8060 if (getLangOpts().OpenCL && 8061 VTy->getVectorKind() == VectorType::GenericVector && 8062 numExprs == 1) { 8063 QualType ElemTy = VTy->getElementType(); 8064 ExprResult Literal = DefaultLvalueConversion(exprs[0]); 8065 if (Literal.isInvalid()) 8066 return ExprError(); 8067 Literal = ImpCastExprToType(Literal.get(), ElemTy, 8068 PrepareScalarCast(Literal, ElemTy)); 8069 return BuildCStyleCastExpr(LParenLoc, TInfo, RParenLoc, Literal.get()); 8070 } 8071 8072 initExprs.append(exprs, exprs + numExprs); 8073 } 8074 // FIXME: This means that pretty-printing the final AST will produce curly 8075 // braces instead of the original commas. 8076 InitListExpr *initE = new (Context) InitListExpr(Context, LiteralLParenLoc, 8077 initExprs, LiteralRParenLoc); 8078 initE->setType(Ty); 8079 return BuildCompoundLiteralExpr(LParenLoc, TInfo, RParenLoc, initE); 8080 } 8081 8082 /// This is not an AltiVec-style cast or or C++ direct-initialization, so turn 8083 /// the ParenListExpr into a sequence of comma binary operators. 8084 ExprResult 8085 Sema::MaybeConvertParenListExprToParenExpr(Scope *S, Expr *OrigExpr) { 8086 ParenListExpr *E = dyn_cast<ParenListExpr>(OrigExpr); 8087 if (!E) 8088 return OrigExpr; 8089 8090 ExprResult Result(E->getExpr(0)); 8091 8092 for (unsigned i = 1, e = E->getNumExprs(); i != e && !Result.isInvalid(); ++i) 8093 Result = ActOnBinOp(S, E->getExprLoc(), tok::comma, Result.get(), 8094 E->getExpr(i)); 8095 8096 if (Result.isInvalid()) return ExprError(); 8097 8098 return ActOnParenExpr(E->getLParenLoc(), E->getRParenLoc(), Result.get()); 8099 } 8100 8101 ExprResult Sema::ActOnParenListExpr(SourceLocation L, 8102 SourceLocation R, 8103 MultiExprArg Val) { 8104 return ParenListExpr::Create(Context, L, Val, R); 8105 } 8106 8107 /// Emit a specialized diagnostic when one expression is a null pointer 8108 /// constant and the other is not a pointer. Returns true if a diagnostic is 8109 /// emitted. 8110 bool Sema::DiagnoseConditionalForNull(Expr *LHSExpr, Expr *RHSExpr, 8111 SourceLocation QuestionLoc) { 8112 Expr *NullExpr = LHSExpr; 8113 Expr *NonPointerExpr = RHSExpr; 8114 Expr::NullPointerConstantKind NullKind = 8115 NullExpr->isNullPointerConstant(Context, 8116 Expr::NPC_ValueDependentIsNotNull); 8117 8118 if (NullKind == Expr::NPCK_NotNull) { 8119 NullExpr = RHSExpr; 8120 NonPointerExpr = LHSExpr; 8121 NullKind = 8122 NullExpr->isNullPointerConstant(Context, 8123 Expr::NPC_ValueDependentIsNotNull); 8124 } 8125 8126 if (NullKind == Expr::NPCK_NotNull) 8127 return false; 8128 8129 if (NullKind == Expr::NPCK_ZeroExpression) 8130 return false; 8131 8132 if (NullKind == Expr::NPCK_ZeroLiteral) { 8133 // In this case, check to make sure that we got here from a "NULL" 8134 // string in the source code. 8135 NullExpr = NullExpr->IgnoreParenImpCasts(); 8136 SourceLocation loc = NullExpr->getExprLoc(); 8137 if (!findMacroSpelling(loc, "NULL")) 8138 return false; 8139 } 8140 8141 int DiagType = (NullKind == Expr::NPCK_CXX11_nullptr); 8142 Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands_null) 8143 << NonPointerExpr->getType() << DiagType 8144 << NonPointerExpr->getSourceRange(); 8145 return true; 8146 } 8147 8148 /// Return false if the condition expression is valid, true otherwise. 8149 static bool checkCondition(Sema &S, Expr *Cond, SourceLocation QuestionLoc) { 8150 QualType CondTy = Cond->getType(); 8151 8152 // OpenCL v1.1 s6.3.i says the condition cannot be a floating point type. 8153 if (S.getLangOpts().OpenCL && CondTy->isFloatingType()) { 8154 S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_nonfloat) 8155 << CondTy << Cond->getSourceRange(); 8156 return true; 8157 } 8158 8159 // C99 6.5.15p2 8160 if (CondTy->isScalarType()) return false; 8161 8162 S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_scalar) 8163 << CondTy << Cond->getSourceRange(); 8164 return true; 8165 } 8166 8167 /// Handle when one or both operands are void type. 8168 static QualType checkConditionalVoidType(Sema &S, ExprResult &LHS, 8169 ExprResult &RHS) { 8170 Expr *LHSExpr = LHS.get(); 8171 Expr *RHSExpr = RHS.get(); 8172 8173 if (!LHSExpr->getType()->isVoidType()) 8174 S.Diag(RHSExpr->getBeginLoc(), diag::ext_typecheck_cond_one_void) 8175 << RHSExpr->getSourceRange(); 8176 if (!RHSExpr->getType()->isVoidType()) 8177 S.Diag(LHSExpr->getBeginLoc(), diag::ext_typecheck_cond_one_void) 8178 << LHSExpr->getSourceRange(); 8179 LHS = S.ImpCastExprToType(LHS.get(), S.Context.VoidTy, CK_ToVoid); 8180 RHS = S.ImpCastExprToType(RHS.get(), S.Context.VoidTy, CK_ToVoid); 8181 return S.Context.VoidTy; 8182 } 8183 8184 /// Return false if the NullExpr can be promoted to PointerTy, 8185 /// true otherwise. 8186 static bool checkConditionalNullPointer(Sema &S, ExprResult &NullExpr, 8187 QualType PointerTy) { 8188 if ((!PointerTy->isAnyPointerType() && !PointerTy->isBlockPointerType()) || 8189 !NullExpr.get()->isNullPointerConstant(S.Context, 8190 Expr::NPC_ValueDependentIsNull)) 8191 return true; 8192 8193 NullExpr = S.ImpCastExprToType(NullExpr.get(), PointerTy, CK_NullToPointer); 8194 return false; 8195 } 8196 8197 /// Checks compatibility between two pointers and return the resulting 8198 /// type. 8199 static QualType checkConditionalPointerCompatibility(Sema &S, ExprResult &LHS, 8200 ExprResult &RHS, 8201 SourceLocation Loc) { 8202 QualType LHSTy = LHS.get()->getType(); 8203 QualType RHSTy = RHS.get()->getType(); 8204 8205 if (S.Context.hasSameType(LHSTy, RHSTy)) { 8206 // Two identical pointers types are always compatible. 8207 return LHSTy; 8208 } 8209 8210 QualType lhptee, rhptee; 8211 8212 // Get the pointee types. 8213 bool IsBlockPointer = false; 8214 if (const BlockPointerType *LHSBTy = LHSTy->getAs<BlockPointerType>()) { 8215 lhptee = LHSBTy->getPointeeType(); 8216 rhptee = RHSTy->castAs<BlockPointerType>()->getPointeeType(); 8217 IsBlockPointer = true; 8218 } else { 8219 lhptee = LHSTy->castAs<PointerType>()->getPointeeType(); 8220 rhptee = RHSTy->castAs<PointerType>()->getPointeeType(); 8221 } 8222 8223 // C99 6.5.15p6: If both operands are pointers to compatible types or to 8224 // differently qualified versions of compatible types, the result type is 8225 // a pointer to an appropriately qualified version of the composite 8226 // type. 8227 8228 // Only CVR-qualifiers exist in the standard, and the differently-qualified 8229 // clause doesn't make sense for our extensions. E.g. address space 2 should 8230 // be incompatible with address space 3: they may live on different devices or 8231 // anything. 8232 Qualifiers lhQual = lhptee.getQualifiers(); 8233 Qualifiers rhQual = rhptee.getQualifiers(); 8234 8235 LangAS ResultAddrSpace = LangAS::Default; 8236 LangAS LAddrSpace = lhQual.getAddressSpace(); 8237 LangAS RAddrSpace = rhQual.getAddressSpace(); 8238 8239 // OpenCL v1.1 s6.5 - Conversion between pointers to distinct address 8240 // spaces is disallowed. 8241 if (lhQual.isAddressSpaceSupersetOf(rhQual)) 8242 ResultAddrSpace = LAddrSpace; 8243 else if (rhQual.isAddressSpaceSupersetOf(lhQual)) 8244 ResultAddrSpace = RAddrSpace; 8245 else { 8246 S.Diag(Loc, diag::err_typecheck_op_on_nonoverlapping_address_space_pointers) 8247 << LHSTy << RHSTy << 2 << LHS.get()->getSourceRange() 8248 << RHS.get()->getSourceRange(); 8249 return QualType(); 8250 } 8251 8252 unsigned MergedCVRQual = lhQual.getCVRQualifiers() | rhQual.getCVRQualifiers(); 8253 auto LHSCastKind = CK_BitCast, RHSCastKind = CK_BitCast; 8254 lhQual.removeCVRQualifiers(); 8255 rhQual.removeCVRQualifiers(); 8256 8257 // OpenCL v2.0 specification doesn't extend compatibility of type qualifiers 8258 // (C99 6.7.3) for address spaces. We assume that the check should behave in 8259 // the same manner as it's defined for CVR qualifiers, so for OpenCL two 8260 // qual types are compatible iff 8261 // * corresponded types are compatible 8262 // * CVR qualifiers are equal 8263 // * address spaces are equal 8264 // Thus for conditional operator we merge CVR and address space unqualified 8265 // pointees and if there is a composite type we return a pointer to it with 8266 // merged qualifiers. 8267 LHSCastKind = 8268 LAddrSpace == ResultAddrSpace ? CK_BitCast : CK_AddressSpaceConversion; 8269 RHSCastKind = 8270 RAddrSpace == ResultAddrSpace ? CK_BitCast : CK_AddressSpaceConversion; 8271 lhQual.removeAddressSpace(); 8272 rhQual.removeAddressSpace(); 8273 8274 lhptee = S.Context.getQualifiedType(lhptee.getUnqualifiedType(), lhQual); 8275 rhptee = S.Context.getQualifiedType(rhptee.getUnqualifiedType(), rhQual); 8276 8277 QualType CompositeTy = S.Context.mergeTypes(lhptee, rhptee); 8278 8279 if (CompositeTy.isNull()) { 8280 // In this situation, we assume void* type. No especially good 8281 // reason, but this is what gcc does, and we do have to pick 8282 // to get a consistent AST. 8283 QualType incompatTy; 8284 incompatTy = S.Context.getPointerType( 8285 S.Context.getAddrSpaceQualType(S.Context.VoidTy, ResultAddrSpace)); 8286 LHS = S.ImpCastExprToType(LHS.get(), incompatTy, LHSCastKind); 8287 RHS = S.ImpCastExprToType(RHS.get(), incompatTy, RHSCastKind); 8288 8289 // FIXME: For OpenCL the warning emission and cast to void* leaves a room 8290 // for casts between types with incompatible address space qualifiers. 8291 // For the following code the compiler produces casts between global and 8292 // local address spaces of the corresponded innermost pointees: 8293 // local int *global *a; 8294 // global int *global *b; 8295 // a = (0 ? a : b); // see C99 6.5.16.1.p1. 8296 S.Diag(Loc, diag::ext_typecheck_cond_incompatible_pointers) 8297 << LHSTy << RHSTy << LHS.get()->getSourceRange() 8298 << RHS.get()->getSourceRange(); 8299 8300 return incompatTy; 8301 } 8302 8303 // The pointer types are compatible. 8304 // In case of OpenCL ResultTy should have the address space qualifier 8305 // which is a superset of address spaces of both the 2nd and the 3rd 8306 // operands of the conditional operator. 8307 QualType ResultTy = [&, ResultAddrSpace]() { 8308 if (S.getLangOpts().OpenCL) { 8309 Qualifiers CompositeQuals = CompositeTy.getQualifiers(); 8310 CompositeQuals.setAddressSpace(ResultAddrSpace); 8311 return S.Context 8312 .getQualifiedType(CompositeTy.getUnqualifiedType(), CompositeQuals) 8313 .withCVRQualifiers(MergedCVRQual); 8314 } 8315 return CompositeTy.withCVRQualifiers(MergedCVRQual); 8316 }(); 8317 if (IsBlockPointer) 8318 ResultTy = S.Context.getBlockPointerType(ResultTy); 8319 else 8320 ResultTy = S.Context.getPointerType(ResultTy); 8321 8322 LHS = S.ImpCastExprToType(LHS.get(), ResultTy, LHSCastKind); 8323 RHS = S.ImpCastExprToType(RHS.get(), ResultTy, RHSCastKind); 8324 return ResultTy; 8325 } 8326 8327 /// Return the resulting type when the operands are both block pointers. 8328 static QualType checkConditionalBlockPointerCompatibility(Sema &S, 8329 ExprResult &LHS, 8330 ExprResult &RHS, 8331 SourceLocation Loc) { 8332 QualType LHSTy = LHS.get()->getType(); 8333 QualType RHSTy = RHS.get()->getType(); 8334 8335 if (!LHSTy->isBlockPointerType() || !RHSTy->isBlockPointerType()) { 8336 if (LHSTy->isVoidPointerType() || RHSTy->isVoidPointerType()) { 8337 QualType destType = S.Context.getPointerType(S.Context.VoidTy); 8338 LHS = S.ImpCastExprToType(LHS.get(), destType, CK_BitCast); 8339 RHS = S.ImpCastExprToType(RHS.get(), destType, CK_BitCast); 8340 return destType; 8341 } 8342 S.Diag(Loc, diag::err_typecheck_cond_incompatible_operands) 8343 << LHSTy << RHSTy << LHS.get()->getSourceRange() 8344 << RHS.get()->getSourceRange(); 8345 return QualType(); 8346 } 8347 8348 // We have 2 block pointer types. 8349 return checkConditionalPointerCompatibility(S, LHS, RHS, Loc); 8350 } 8351 8352 /// Return the resulting type when the operands are both pointers. 8353 static QualType 8354 checkConditionalObjectPointersCompatibility(Sema &S, ExprResult &LHS, 8355 ExprResult &RHS, 8356 SourceLocation Loc) { 8357 // get the pointer types 8358 QualType LHSTy = LHS.get()->getType(); 8359 QualType RHSTy = RHS.get()->getType(); 8360 8361 // get the "pointed to" types 8362 QualType lhptee = LHSTy->castAs<PointerType>()->getPointeeType(); 8363 QualType rhptee = RHSTy->castAs<PointerType>()->getPointeeType(); 8364 8365 // ignore qualifiers on void (C99 6.5.15p3, clause 6) 8366 if (lhptee->isVoidType() && rhptee->isIncompleteOrObjectType()) { 8367 // Figure out necessary qualifiers (C99 6.5.15p6) 8368 QualType destPointee 8369 = S.Context.getQualifiedType(lhptee, rhptee.getQualifiers()); 8370 QualType destType = S.Context.getPointerType(destPointee); 8371 // Add qualifiers if necessary. 8372 LHS = S.ImpCastExprToType(LHS.get(), destType, CK_NoOp); 8373 // Promote to void*. 8374 RHS = S.ImpCastExprToType(RHS.get(), destType, CK_BitCast); 8375 return destType; 8376 } 8377 if (rhptee->isVoidType() && lhptee->isIncompleteOrObjectType()) { 8378 QualType destPointee 8379 = S.Context.getQualifiedType(rhptee, lhptee.getQualifiers()); 8380 QualType destType = S.Context.getPointerType(destPointee); 8381 // Add qualifiers if necessary. 8382 RHS = S.ImpCastExprToType(RHS.get(), destType, CK_NoOp); 8383 // Promote to void*. 8384 LHS = S.ImpCastExprToType(LHS.get(), destType, CK_BitCast); 8385 return destType; 8386 } 8387 8388 return checkConditionalPointerCompatibility(S, LHS, RHS, Loc); 8389 } 8390 8391 /// Return false if the first expression is not an integer and the second 8392 /// expression is not a pointer, true otherwise. 8393 static bool checkPointerIntegerMismatch(Sema &S, ExprResult &Int, 8394 Expr* PointerExpr, SourceLocation Loc, 8395 bool IsIntFirstExpr) { 8396 if (!PointerExpr->getType()->isPointerType() || 8397 !Int.get()->getType()->isIntegerType()) 8398 return false; 8399 8400 Expr *Expr1 = IsIntFirstExpr ? Int.get() : PointerExpr; 8401 Expr *Expr2 = IsIntFirstExpr ? PointerExpr : Int.get(); 8402 8403 S.Diag(Loc, diag::ext_typecheck_cond_pointer_integer_mismatch) 8404 << Expr1->getType() << Expr2->getType() 8405 << Expr1->getSourceRange() << Expr2->getSourceRange(); 8406 Int = S.ImpCastExprToType(Int.get(), PointerExpr->getType(), 8407 CK_IntegralToPointer); 8408 return true; 8409 } 8410 8411 /// Simple conversion between integer and floating point types. 8412 /// 8413 /// Used when handling the OpenCL conditional operator where the 8414 /// condition is a vector while the other operands are scalar. 8415 /// 8416 /// OpenCL v1.1 s6.3.i and s6.11.6 together require that the scalar 8417 /// types are either integer or floating type. Between the two 8418 /// operands, the type with the higher rank is defined as the "result 8419 /// type". The other operand needs to be promoted to the same type. No 8420 /// other type promotion is allowed. We cannot use 8421 /// UsualArithmeticConversions() for this purpose, since it always 8422 /// promotes promotable types. 8423 static QualType OpenCLArithmeticConversions(Sema &S, ExprResult &LHS, 8424 ExprResult &RHS, 8425 SourceLocation QuestionLoc) { 8426 LHS = S.DefaultFunctionArrayLvalueConversion(LHS.get()); 8427 if (LHS.isInvalid()) 8428 return QualType(); 8429 RHS = S.DefaultFunctionArrayLvalueConversion(RHS.get()); 8430 if (RHS.isInvalid()) 8431 return QualType(); 8432 8433 // For conversion purposes, we ignore any qualifiers. 8434 // For example, "const float" and "float" are equivalent. 8435 QualType LHSType = 8436 S.Context.getCanonicalType(LHS.get()->getType()).getUnqualifiedType(); 8437 QualType RHSType = 8438 S.Context.getCanonicalType(RHS.get()->getType()).getUnqualifiedType(); 8439 8440 if (!LHSType->isIntegerType() && !LHSType->isRealFloatingType()) { 8441 S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_int_float) 8442 << LHSType << LHS.get()->getSourceRange(); 8443 return QualType(); 8444 } 8445 8446 if (!RHSType->isIntegerType() && !RHSType->isRealFloatingType()) { 8447 S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_int_float) 8448 << RHSType << RHS.get()->getSourceRange(); 8449 return QualType(); 8450 } 8451 8452 // If both types are identical, no conversion is needed. 8453 if (LHSType == RHSType) 8454 return LHSType; 8455 8456 // Now handle "real" floating types (i.e. float, double, long double). 8457 if (LHSType->isRealFloatingType() || RHSType->isRealFloatingType()) 8458 return handleFloatConversion(S, LHS, RHS, LHSType, RHSType, 8459 /*IsCompAssign = */ false); 8460 8461 // Finally, we have two differing integer types. 8462 return handleIntegerConversion<doIntegralCast, doIntegralCast> 8463 (S, LHS, RHS, LHSType, RHSType, /*IsCompAssign = */ false); 8464 } 8465 8466 /// Convert scalar operands to a vector that matches the 8467 /// condition in length. 8468 /// 8469 /// Used when handling the OpenCL conditional operator where the 8470 /// condition is a vector while the other operands are scalar. 8471 /// 8472 /// We first compute the "result type" for the scalar operands 8473 /// according to OpenCL v1.1 s6.3.i. Both operands are then converted 8474 /// into a vector of that type where the length matches the condition 8475 /// vector type. s6.11.6 requires that the element types of the result 8476 /// and the condition must have the same number of bits. 8477 static QualType 8478 OpenCLConvertScalarsToVectors(Sema &S, ExprResult &LHS, ExprResult &RHS, 8479 QualType CondTy, SourceLocation QuestionLoc) { 8480 QualType ResTy = OpenCLArithmeticConversions(S, LHS, RHS, QuestionLoc); 8481 if (ResTy.isNull()) return QualType(); 8482 8483 const VectorType *CV = CondTy->getAs<VectorType>(); 8484 assert(CV); 8485 8486 // Determine the vector result type 8487 unsigned NumElements = CV->getNumElements(); 8488 QualType VectorTy = S.Context.getExtVectorType(ResTy, NumElements); 8489 8490 // Ensure that all types have the same number of bits 8491 if (S.Context.getTypeSize(CV->getElementType()) 8492 != S.Context.getTypeSize(ResTy)) { 8493 // Since VectorTy is created internally, it does not pretty print 8494 // with an OpenCL name. Instead, we just print a description. 8495 std::string EleTyName = ResTy.getUnqualifiedType().getAsString(); 8496 SmallString<64> Str; 8497 llvm::raw_svector_ostream OS(Str); 8498 OS << "(vector of " << NumElements << " '" << EleTyName << "' values)"; 8499 S.Diag(QuestionLoc, diag::err_conditional_vector_element_size) 8500 << CondTy << OS.str(); 8501 return QualType(); 8502 } 8503 8504 // Convert operands to the vector result type 8505 LHS = S.ImpCastExprToType(LHS.get(), VectorTy, CK_VectorSplat); 8506 RHS = S.ImpCastExprToType(RHS.get(), VectorTy, CK_VectorSplat); 8507 8508 return VectorTy; 8509 } 8510 8511 /// Return false if this is a valid OpenCL condition vector 8512 static bool checkOpenCLConditionVector(Sema &S, Expr *Cond, 8513 SourceLocation QuestionLoc) { 8514 // OpenCL v1.1 s6.11.6 says the elements of the vector must be of 8515 // integral type. 8516 const VectorType *CondTy = Cond->getType()->getAs<VectorType>(); 8517 assert(CondTy); 8518 QualType EleTy = CondTy->getElementType(); 8519 if (EleTy->isIntegerType()) return false; 8520 8521 S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_nonfloat) 8522 << Cond->getType() << Cond->getSourceRange(); 8523 return true; 8524 } 8525 8526 /// Return false if the vector condition type and the vector 8527 /// result type are compatible. 8528 /// 8529 /// OpenCL v1.1 s6.11.6 requires that both vector types have the same 8530 /// number of elements, and their element types have the same number 8531 /// of bits. 8532 static bool checkVectorResult(Sema &S, QualType CondTy, QualType VecResTy, 8533 SourceLocation QuestionLoc) { 8534 const VectorType *CV = CondTy->getAs<VectorType>(); 8535 const VectorType *RV = VecResTy->getAs<VectorType>(); 8536 assert(CV && RV); 8537 8538 if (CV->getNumElements() != RV->getNumElements()) { 8539 S.Diag(QuestionLoc, diag::err_conditional_vector_size) 8540 << CondTy << VecResTy; 8541 return true; 8542 } 8543 8544 QualType CVE = CV->getElementType(); 8545 QualType RVE = RV->getElementType(); 8546 8547 if (S.Context.getTypeSize(CVE) != S.Context.getTypeSize(RVE)) { 8548 S.Diag(QuestionLoc, diag::err_conditional_vector_element_size) 8549 << CondTy << VecResTy; 8550 return true; 8551 } 8552 8553 return false; 8554 } 8555 8556 /// Return the resulting type for the conditional operator in 8557 /// OpenCL (aka "ternary selection operator", OpenCL v1.1 8558 /// s6.3.i) when the condition is a vector type. 8559 static QualType 8560 OpenCLCheckVectorConditional(Sema &S, ExprResult &Cond, 8561 ExprResult &LHS, ExprResult &RHS, 8562 SourceLocation QuestionLoc) { 8563 Cond = S.DefaultFunctionArrayLvalueConversion(Cond.get()); 8564 if (Cond.isInvalid()) 8565 return QualType(); 8566 QualType CondTy = Cond.get()->getType(); 8567 8568 if (checkOpenCLConditionVector(S, Cond.get(), QuestionLoc)) 8569 return QualType(); 8570 8571 // If either operand is a vector then find the vector type of the 8572 // result as specified in OpenCL v1.1 s6.3.i. 8573 if (LHS.get()->getType()->isVectorType() || 8574 RHS.get()->getType()->isVectorType()) { 8575 bool IsBoolVecLang = 8576 !S.getLangOpts().OpenCL && !S.getLangOpts().OpenCLCPlusPlus; 8577 QualType VecResTy = 8578 S.CheckVectorOperands(LHS, RHS, QuestionLoc, 8579 /*isCompAssign*/ false, 8580 /*AllowBothBool*/ true, 8581 /*AllowBoolConversions*/ false, 8582 /*AllowBooleanOperation*/ IsBoolVecLang, 8583 /*ReportInvalid*/ true); 8584 if (VecResTy.isNull()) 8585 return QualType(); 8586 // The result type must match the condition type as specified in 8587 // OpenCL v1.1 s6.11.6. 8588 if (checkVectorResult(S, CondTy, VecResTy, QuestionLoc)) 8589 return QualType(); 8590 return VecResTy; 8591 } 8592 8593 // Both operands are scalar. 8594 return OpenCLConvertScalarsToVectors(S, LHS, RHS, CondTy, QuestionLoc); 8595 } 8596 8597 /// Return true if the Expr is block type 8598 static bool checkBlockType(Sema &S, const Expr *E) { 8599 if (const CallExpr *CE = dyn_cast<CallExpr>(E)) { 8600 QualType Ty = CE->getCallee()->getType(); 8601 if (Ty->isBlockPointerType()) { 8602 S.Diag(E->getExprLoc(), diag::err_opencl_ternary_with_block); 8603 return true; 8604 } 8605 } 8606 return false; 8607 } 8608 8609 /// Note that LHS is not null here, even if this is the gnu "x ?: y" extension. 8610 /// In that case, LHS = cond. 8611 /// C99 6.5.15 8612 QualType Sema::CheckConditionalOperands(ExprResult &Cond, ExprResult &LHS, 8613 ExprResult &RHS, ExprValueKind &VK, 8614 ExprObjectKind &OK, 8615 SourceLocation QuestionLoc) { 8616 8617 ExprResult LHSResult = CheckPlaceholderExpr(LHS.get()); 8618 if (!LHSResult.isUsable()) return QualType(); 8619 LHS = LHSResult; 8620 8621 ExprResult RHSResult = CheckPlaceholderExpr(RHS.get()); 8622 if (!RHSResult.isUsable()) return QualType(); 8623 RHS = RHSResult; 8624 8625 // C++ is sufficiently different to merit its own checker. 8626 if (getLangOpts().CPlusPlus) 8627 return CXXCheckConditionalOperands(Cond, LHS, RHS, VK, OK, QuestionLoc); 8628 8629 VK = VK_PRValue; 8630 OK = OK_Ordinary; 8631 8632 if (Context.isDependenceAllowed() && 8633 (Cond.get()->isTypeDependent() || LHS.get()->isTypeDependent() || 8634 RHS.get()->isTypeDependent())) { 8635 assert(!getLangOpts().CPlusPlus); 8636 assert((Cond.get()->containsErrors() || LHS.get()->containsErrors() || 8637 RHS.get()->containsErrors()) && 8638 "should only occur in error-recovery path."); 8639 return Context.DependentTy; 8640 } 8641 8642 // The OpenCL operator with a vector condition is sufficiently 8643 // different to merit its own checker. 8644 if ((getLangOpts().OpenCL && Cond.get()->getType()->isVectorType()) || 8645 Cond.get()->getType()->isExtVectorType()) 8646 return OpenCLCheckVectorConditional(*this, Cond, LHS, RHS, QuestionLoc); 8647 8648 // First, check the condition. 8649 Cond = UsualUnaryConversions(Cond.get()); 8650 if (Cond.isInvalid()) 8651 return QualType(); 8652 if (checkCondition(*this, Cond.get(), QuestionLoc)) 8653 return QualType(); 8654 8655 // Now check the two expressions. 8656 if (LHS.get()->getType()->isVectorType() || 8657 RHS.get()->getType()->isVectorType()) 8658 return CheckVectorOperands(LHS, RHS, QuestionLoc, /*isCompAssign*/ false, 8659 /*AllowBothBool*/ true, 8660 /*AllowBoolConversions*/ false, 8661 /*AllowBooleanOperation*/ false, 8662 /*ReportInvalid*/ true); 8663 8664 QualType ResTy = 8665 UsualArithmeticConversions(LHS, RHS, QuestionLoc, ACK_Conditional); 8666 if (LHS.isInvalid() || RHS.isInvalid()) 8667 return QualType(); 8668 8669 QualType LHSTy = LHS.get()->getType(); 8670 QualType RHSTy = RHS.get()->getType(); 8671 8672 // Diagnose attempts to convert between __ibm128, __float128 and long double 8673 // where such conversions currently can't be handled. 8674 if (unsupportedTypeConversion(*this, LHSTy, RHSTy)) { 8675 Diag(QuestionLoc, 8676 diag::err_typecheck_cond_incompatible_operands) << LHSTy << RHSTy 8677 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 8678 return QualType(); 8679 } 8680 8681 // OpenCL v2.0 s6.12.5 - Blocks cannot be used as expressions of the ternary 8682 // selection operator (?:). 8683 if (getLangOpts().OpenCL && 8684 ((int)checkBlockType(*this, LHS.get()) | (int)checkBlockType(*this, RHS.get()))) { 8685 return QualType(); 8686 } 8687 8688 // If both operands have arithmetic type, do the usual arithmetic conversions 8689 // to find a common type: C99 6.5.15p3,5. 8690 if (LHSTy->isArithmeticType() && RHSTy->isArithmeticType()) { 8691 // Disallow invalid arithmetic conversions, such as those between bit- 8692 // precise integers types of different sizes, or between a bit-precise 8693 // integer and another type. 8694 if (ResTy.isNull() && (LHSTy->isBitIntType() || RHSTy->isBitIntType())) { 8695 Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands) 8696 << LHSTy << RHSTy << LHS.get()->getSourceRange() 8697 << RHS.get()->getSourceRange(); 8698 return QualType(); 8699 } 8700 8701 LHS = ImpCastExprToType(LHS.get(), ResTy, PrepareScalarCast(LHS, ResTy)); 8702 RHS = ImpCastExprToType(RHS.get(), ResTy, PrepareScalarCast(RHS, ResTy)); 8703 8704 return ResTy; 8705 } 8706 8707 // And if they're both bfloat (which isn't arithmetic), that's fine too. 8708 if (LHSTy->isBFloat16Type() && RHSTy->isBFloat16Type()) { 8709 return LHSTy; 8710 } 8711 8712 // If both operands are the same structure or union type, the result is that 8713 // type. 8714 if (const RecordType *LHSRT = LHSTy->getAs<RecordType>()) { // C99 6.5.15p3 8715 if (const RecordType *RHSRT = RHSTy->getAs<RecordType>()) 8716 if (LHSRT->getDecl() == RHSRT->getDecl()) 8717 // "If both the operands have structure or union type, the result has 8718 // that type." This implies that CV qualifiers are dropped. 8719 return LHSTy.getUnqualifiedType(); 8720 // FIXME: Type of conditional expression must be complete in C mode. 8721 } 8722 8723 // C99 6.5.15p5: "If both operands have void type, the result has void type." 8724 // The following || allows only one side to be void (a GCC-ism). 8725 if (LHSTy->isVoidType() || RHSTy->isVoidType()) { 8726 return checkConditionalVoidType(*this, LHS, RHS); 8727 } 8728 8729 // C99 6.5.15p6 - "if one operand is a null pointer constant, the result has 8730 // the type of the other operand." 8731 if (!checkConditionalNullPointer(*this, RHS, LHSTy)) return LHSTy; 8732 if (!checkConditionalNullPointer(*this, LHS, RHSTy)) return RHSTy; 8733 8734 // All objective-c pointer type analysis is done here. 8735 QualType compositeType = FindCompositeObjCPointerType(LHS, RHS, 8736 QuestionLoc); 8737 if (LHS.isInvalid() || RHS.isInvalid()) 8738 return QualType(); 8739 if (!compositeType.isNull()) 8740 return compositeType; 8741 8742 8743 // Handle block pointer types. 8744 if (LHSTy->isBlockPointerType() || RHSTy->isBlockPointerType()) 8745 return checkConditionalBlockPointerCompatibility(*this, LHS, RHS, 8746 QuestionLoc); 8747 8748 // Check constraints for C object pointers types (C99 6.5.15p3,6). 8749 if (LHSTy->isPointerType() && RHSTy->isPointerType()) 8750 return checkConditionalObjectPointersCompatibility(*this, LHS, RHS, 8751 QuestionLoc); 8752 8753 // GCC compatibility: soften pointer/integer mismatch. Note that 8754 // null pointers have been filtered out by this point. 8755 if (checkPointerIntegerMismatch(*this, LHS, RHS.get(), QuestionLoc, 8756 /*IsIntFirstExpr=*/true)) 8757 return RHSTy; 8758 if (checkPointerIntegerMismatch(*this, RHS, LHS.get(), QuestionLoc, 8759 /*IsIntFirstExpr=*/false)) 8760 return LHSTy; 8761 8762 // Allow ?: operations in which both operands have the same 8763 // built-in sizeless type. 8764 if (LHSTy->isSizelessBuiltinType() && Context.hasSameType(LHSTy, RHSTy)) 8765 return LHSTy; 8766 8767 // Emit a better diagnostic if one of the expressions is a null pointer 8768 // constant and the other is not a pointer type. In this case, the user most 8769 // likely forgot to take the address of the other expression. 8770 if (DiagnoseConditionalForNull(LHS.get(), RHS.get(), QuestionLoc)) 8771 return QualType(); 8772 8773 // Otherwise, the operands are not compatible. 8774 Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands) 8775 << LHSTy << RHSTy << LHS.get()->getSourceRange() 8776 << RHS.get()->getSourceRange(); 8777 return QualType(); 8778 } 8779 8780 /// FindCompositeObjCPointerType - Helper method to find composite type of 8781 /// two objective-c pointer types of the two input expressions. 8782 QualType Sema::FindCompositeObjCPointerType(ExprResult &LHS, ExprResult &RHS, 8783 SourceLocation QuestionLoc) { 8784 QualType LHSTy = LHS.get()->getType(); 8785 QualType RHSTy = RHS.get()->getType(); 8786 8787 // Handle things like Class and struct objc_class*. Here we case the result 8788 // to the pseudo-builtin, because that will be implicitly cast back to the 8789 // redefinition type if an attempt is made to access its fields. 8790 if (LHSTy->isObjCClassType() && 8791 (Context.hasSameType(RHSTy, Context.getObjCClassRedefinitionType()))) { 8792 RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_CPointerToObjCPointerCast); 8793 return LHSTy; 8794 } 8795 if (RHSTy->isObjCClassType() && 8796 (Context.hasSameType(LHSTy, Context.getObjCClassRedefinitionType()))) { 8797 LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_CPointerToObjCPointerCast); 8798 return RHSTy; 8799 } 8800 // And the same for struct objc_object* / id 8801 if (LHSTy->isObjCIdType() && 8802 (Context.hasSameType(RHSTy, Context.getObjCIdRedefinitionType()))) { 8803 RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_CPointerToObjCPointerCast); 8804 return LHSTy; 8805 } 8806 if (RHSTy->isObjCIdType() && 8807 (Context.hasSameType(LHSTy, Context.getObjCIdRedefinitionType()))) { 8808 LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_CPointerToObjCPointerCast); 8809 return RHSTy; 8810 } 8811 // And the same for struct objc_selector* / SEL 8812 if (Context.isObjCSelType(LHSTy) && 8813 (Context.hasSameType(RHSTy, Context.getObjCSelRedefinitionType()))) { 8814 RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_BitCast); 8815 return LHSTy; 8816 } 8817 if (Context.isObjCSelType(RHSTy) && 8818 (Context.hasSameType(LHSTy, Context.getObjCSelRedefinitionType()))) { 8819 LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_BitCast); 8820 return RHSTy; 8821 } 8822 // Check constraints for Objective-C object pointers types. 8823 if (LHSTy->isObjCObjectPointerType() && RHSTy->isObjCObjectPointerType()) { 8824 8825 if (Context.getCanonicalType(LHSTy) == Context.getCanonicalType(RHSTy)) { 8826 // Two identical object pointer types are always compatible. 8827 return LHSTy; 8828 } 8829 const ObjCObjectPointerType *LHSOPT = LHSTy->castAs<ObjCObjectPointerType>(); 8830 const ObjCObjectPointerType *RHSOPT = RHSTy->castAs<ObjCObjectPointerType>(); 8831 QualType compositeType = LHSTy; 8832 8833 // If both operands are interfaces and either operand can be 8834 // assigned to the other, use that type as the composite 8835 // type. This allows 8836 // xxx ? (A*) a : (B*) b 8837 // where B is a subclass of A. 8838 // 8839 // Additionally, as for assignment, if either type is 'id' 8840 // allow silent coercion. Finally, if the types are 8841 // incompatible then make sure to use 'id' as the composite 8842 // type so the result is acceptable for sending messages to. 8843 8844 // FIXME: Consider unifying with 'areComparableObjCPointerTypes'. 8845 // It could return the composite type. 8846 if (!(compositeType = 8847 Context.areCommonBaseCompatible(LHSOPT, RHSOPT)).isNull()) { 8848 // Nothing more to do. 8849 } else if (Context.canAssignObjCInterfaces(LHSOPT, RHSOPT)) { 8850 compositeType = RHSOPT->isObjCBuiltinType() ? RHSTy : LHSTy; 8851 } else if (Context.canAssignObjCInterfaces(RHSOPT, LHSOPT)) { 8852 compositeType = LHSOPT->isObjCBuiltinType() ? LHSTy : RHSTy; 8853 } else if ((LHSOPT->isObjCQualifiedIdType() || 8854 RHSOPT->isObjCQualifiedIdType()) && 8855 Context.ObjCQualifiedIdTypesAreCompatible(LHSOPT, RHSOPT, 8856 true)) { 8857 // Need to handle "id<xx>" explicitly. 8858 // GCC allows qualified id and any Objective-C type to devolve to 8859 // id. Currently localizing to here until clear this should be 8860 // part of ObjCQualifiedIdTypesAreCompatible. 8861 compositeType = Context.getObjCIdType(); 8862 } else if (LHSTy->isObjCIdType() || RHSTy->isObjCIdType()) { 8863 compositeType = Context.getObjCIdType(); 8864 } else { 8865 Diag(QuestionLoc, diag::ext_typecheck_cond_incompatible_operands) 8866 << LHSTy << RHSTy 8867 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 8868 QualType incompatTy = Context.getObjCIdType(); 8869 LHS = ImpCastExprToType(LHS.get(), incompatTy, CK_BitCast); 8870 RHS = ImpCastExprToType(RHS.get(), incompatTy, CK_BitCast); 8871 return incompatTy; 8872 } 8873 // The object pointer types are compatible. 8874 LHS = ImpCastExprToType(LHS.get(), compositeType, CK_BitCast); 8875 RHS = ImpCastExprToType(RHS.get(), compositeType, CK_BitCast); 8876 return compositeType; 8877 } 8878 // Check Objective-C object pointer types and 'void *' 8879 if (LHSTy->isVoidPointerType() && RHSTy->isObjCObjectPointerType()) { 8880 if (getLangOpts().ObjCAutoRefCount) { 8881 // ARC forbids the implicit conversion of object pointers to 'void *', 8882 // so these types are not compatible. 8883 Diag(QuestionLoc, diag::err_cond_voidptr_arc) << LHSTy << RHSTy 8884 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 8885 LHS = RHS = true; 8886 return QualType(); 8887 } 8888 QualType lhptee = LHSTy->castAs<PointerType>()->getPointeeType(); 8889 QualType rhptee = RHSTy->castAs<ObjCObjectPointerType>()->getPointeeType(); 8890 QualType destPointee 8891 = Context.getQualifiedType(lhptee, rhptee.getQualifiers()); 8892 QualType destType = Context.getPointerType(destPointee); 8893 // Add qualifiers if necessary. 8894 LHS = ImpCastExprToType(LHS.get(), destType, CK_NoOp); 8895 // Promote to void*. 8896 RHS = ImpCastExprToType(RHS.get(), destType, CK_BitCast); 8897 return destType; 8898 } 8899 if (LHSTy->isObjCObjectPointerType() && RHSTy->isVoidPointerType()) { 8900 if (getLangOpts().ObjCAutoRefCount) { 8901 // ARC forbids the implicit conversion of object pointers to 'void *', 8902 // so these types are not compatible. 8903 Diag(QuestionLoc, diag::err_cond_voidptr_arc) << LHSTy << RHSTy 8904 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 8905 LHS = RHS = true; 8906 return QualType(); 8907 } 8908 QualType lhptee = LHSTy->castAs<ObjCObjectPointerType>()->getPointeeType(); 8909 QualType rhptee = RHSTy->castAs<PointerType>()->getPointeeType(); 8910 QualType destPointee 8911 = Context.getQualifiedType(rhptee, lhptee.getQualifiers()); 8912 QualType destType = Context.getPointerType(destPointee); 8913 // Add qualifiers if necessary. 8914 RHS = ImpCastExprToType(RHS.get(), destType, CK_NoOp); 8915 // Promote to void*. 8916 LHS = ImpCastExprToType(LHS.get(), destType, CK_BitCast); 8917 return destType; 8918 } 8919 return QualType(); 8920 } 8921 8922 /// SuggestParentheses - Emit a note with a fixit hint that wraps 8923 /// ParenRange in parentheses. 8924 static void SuggestParentheses(Sema &Self, SourceLocation Loc, 8925 const PartialDiagnostic &Note, 8926 SourceRange ParenRange) { 8927 SourceLocation EndLoc = Self.getLocForEndOfToken(ParenRange.getEnd()); 8928 if (ParenRange.getBegin().isFileID() && ParenRange.getEnd().isFileID() && 8929 EndLoc.isValid()) { 8930 Self.Diag(Loc, Note) 8931 << FixItHint::CreateInsertion(ParenRange.getBegin(), "(") 8932 << FixItHint::CreateInsertion(EndLoc, ")"); 8933 } else { 8934 // We can't display the parentheses, so just show the bare note. 8935 Self.Diag(Loc, Note) << ParenRange; 8936 } 8937 } 8938 8939 static bool IsArithmeticOp(BinaryOperatorKind Opc) { 8940 return BinaryOperator::isAdditiveOp(Opc) || 8941 BinaryOperator::isMultiplicativeOp(Opc) || 8942 BinaryOperator::isShiftOp(Opc) || Opc == BO_And || Opc == BO_Or; 8943 // This only checks for bitwise-or and bitwise-and, but not bitwise-xor and 8944 // not any of the logical operators. Bitwise-xor is commonly used as a 8945 // logical-xor because there is no logical-xor operator. The logical 8946 // operators, including uses of xor, have a high false positive rate for 8947 // precedence warnings. 8948 } 8949 8950 /// IsArithmeticBinaryExpr - Returns true if E is an arithmetic binary 8951 /// expression, either using a built-in or overloaded operator, 8952 /// and sets *OpCode to the opcode and *RHSExprs to the right-hand side 8953 /// expression. 8954 static bool IsArithmeticBinaryExpr(Expr *E, BinaryOperatorKind *Opcode, 8955 Expr **RHSExprs) { 8956 // Don't strip parenthesis: we should not warn if E is in parenthesis. 8957 E = E->IgnoreImpCasts(); 8958 E = E->IgnoreConversionOperatorSingleStep(); 8959 E = E->IgnoreImpCasts(); 8960 if (auto *MTE = dyn_cast<MaterializeTemporaryExpr>(E)) { 8961 E = MTE->getSubExpr(); 8962 E = E->IgnoreImpCasts(); 8963 } 8964 8965 // Built-in binary operator. 8966 if (BinaryOperator *OP = dyn_cast<BinaryOperator>(E)) { 8967 if (IsArithmeticOp(OP->getOpcode())) { 8968 *Opcode = OP->getOpcode(); 8969 *RHSExprs = OP->getRHS(); 8970 return true; 8971 } 8972 } 8973 8974 // Overloaded operator. 8975 if (CXXOperatorCallExpr *Call = dyn_cast<CXXOperatorCallExpr>(E)) { 8976 if (Call->getNumArgs() != 2) 8977 return false; 8978 8979 // Make sure this is really a binary operator that is safe to pass into 8980 // BinaryOperator::getOverloadedOpcode(), e.g. it's not a subscript op. 8981 OverloadedOperatorKind OO = Call->getOperator(); 8982 if (OO < OO_Plus || OO > OO_Arrow || 8983 OO == OO_PlusPlus || OO == OO_MinusMinus) 8984 return false; 8985 8986 BinaryOperatorKind OpKind = BinaryOperator::getOverloadedOpcode(OO); 8987 if (IsArithmeticOp(OpKind)) { 8988 *Opcode = OpKind; 8989 *RHSExprs = Call->getArg(1); 8990 return true; 8991 } 8992 } 8993 8994 return false; 8995 } 8996 8997 /// ExprLooksBoolean - Returns true if E looks boolean, i.e. it has boolean type 8998 /// or is a logical expression such as (x==y) which has int type, but is 8999 /// commonly interpreted as boolean. 9000 static bool ExprLooksBoolean(Expr *E) { 9001 E = E->IgnoreParenImpCasts(); 9002 9003 if (E->getType()->isBooleanType()) 9004 return true; 9005 if (BinaryOperator *OP = dyn_cast<BinaryOperator>(E)) 9006 return OP->isComparisonOp() || OP->isLogicalOp(); 9007 if (UnaryOperator *OP = dyn_cast<UnaryOperator>(E)) 9008 return OP->getOpcode() == UO_LNot; 9009 if (E->getType()->isPointerType()) 9010 return true; 9011 // FIXME: What about overloaded operator calls returning "unspecified boolean 9012 // type"s (commonly pointer-to-members)? 9013 9014 return false; 9015 } 9016 9017 /// DiagnoseConditionalPrecedence - Emit a warning when a conditional operator 9018 /// and binary operator are mixed in a way that suggests the programmer assumed 9019 /// the conditional operator has higher precedence, for example: 9020 /// "int x = a + someBinaryCondition ? 1 : 2". 9021 static void DiagnoseConditionalPrecedence(Sema &Self, 9022 SourceLocation OpLoc, 9023 Expr *Condition, 9024 Expr *LHSExpr, 9025 Expr *RHSExpr) { 9026 BinaryOperatorKind CondOpcode; 9027 Expr *CondRHS; 9028 9029 if (!IsArithmeticBinaryExpr(Condition, &CondOpcode, &CondRHS)) 9030 return; 9031 if (!ExprLooksBoolean(CondRHS)) 9032 return; 9033 9034 // The condition is an arithmetic binary expression, with a right- 9035 // hand side that looks boolean, so warn. 9036 9037 unsigned DiagID = BinaryOperator::isBitwiseOp(CondOpcode) 9038 ? diag::warn_precedence_bitwise_conditional 9039 : diag::warn_precedence_conditional; 9040 9041 Self.Diag(OpLoc, DiagID) 9042 << Condition->getSourceRange() 9043 << BinaryOperator::getOpcodeStr(CondOpcode); 9044 9045 SuggestParentheses( 9046 Self, OpLoc, 9047 Self.PDiag(diag::note_precedence_silence) 9048 << BinaryOperator::getOpcodeStr(CondOpcode), 9049 SourceRange(Condition->getBeginLoc(), Condition->getEndLoc())); 9050 9051 SuggestParentheses(Self, OpLoc, 9052 Self.PDiag(diag::note_precedence_conditional_first), 9053 SourceRange(CondRHS->getBeginLoc(), RHSExpr->getEndLoc())); 9054 } 9055 9056 /// Compute the nullability of a conditional expression. 9057 static QualType computeConditionalNullability(QualType ResTy, bool IsBin, 9058 QualType LHSTy, QualType RHSTy, 9059 ASTContext &Ctx) { 9060 if (!ResTy->isAnyPointerType()) 9061 return ResTy; 9062 9063 auto GetNullability = [&Ctx](QualType Ty) { 9064 Optional<NullabilityKind> Kind = Ty->getNullability(Ctx); 9065 if (Kind) { 9066 // For our purposes, treat _Nullable_result as _Nullable. 9067 if (*Kind == NullabilityKind::NullableResult) 9068 return NullabilityKind::Nullable; 9069 return *Kind; 9070 } 9071 return NullabilityKind::Unspecified; 9072 }; 9073 9074 auto LHSKind = GetNullability(LHSTy), RHSKind = GetNullability(RHSTy); 9075 NullabilityKind MergedKind; 9076 9077 // Compute nullability of a binary conditional expression. 9078 if (IsBin) { 9079 if (LHSKind == NullabilityKind::NonNull) 9080 MergedKind = NullabilityKind::NonNull; 9081 else 9082 MergedKind = RHSKind; 9083 // Compute nullability of a normal conditional expression. 9084 } else { 9085 if (LHSKind == NullabilityKind::Nullable || 9086 RHSKind == NullabilityKind::Nullable) 9087 MergedKind = NullabilityKind::Nullable; 9088 else if (LHSKind == NullabilityKind::NonNull) 9089 MergedKind = RHSKind; 9090 else if (RHSKind == NullabilityKind::NonNull) 9091 MergedKind = LHSKind; 9092 else 9093 MergedKind = NullabilityKind::Unspecified; 9094 } 9095 9096 // Return if ResTy already has the correct nullability. 9097 if (GetNullability(ResTy) == MergedKind) 9098 return ResTy; 9099 9100 // Strip all nullability from ResTy. 9101 while (ResTy->getNullability(Ctx)) 9102 ResTy = ResTy.getSingleStepDesugaredType(Ctx); 9103 9104 // Create a new AttributedType with the new nullability kind. 9105 auto NewAttr = AttributedType::getNullabilityAttrKind(MergedKind); 9106 return Ctx.getAttributedType(NewAttr, ResTy, ResTy); 9107 } 9108 9109 /// ActOnConditionalOp - Parse a ?: operation. Note that 'LHS' may be null 9110 /// in the case of a the GNU conditional expr extension. 9111 ExprResult Sema::ActOnConditionalOp(SourceLocation QuestionLoc, 9112 SourceLocation ColonLoc, 9113 Expr *CondExpr, Expr *LHSExpr, 9114 Expr *RHSExpr) { 9115 if (!Context.isDependenceAllowed()) { 9116 // C cannot handle TypoExpr nodes in the condition because it 9117 // doesn't handle dependent types properly, so make sure any TypoExprs have 9118 // been dealt with before checking the operands. 9119 ExprResult CondResult = CorrectDelayedTyposInExpr(CondExpr); 9120 ExprResult LHSResult = CorrectDelayedTyposInExpr(LHSExpr); 9121 ExprResult RHSResult = CorrectDelayedTyposInExpr(RHSExpr); 9122 9123 if (!CondResult.isUsable()) 9124 return ExprError(); 9125 9126 if (LHSExpr) { 9127 if (!LHSResult.isUsable()) 9128 return ExprError(); 9129 } 9130 9131 if (!RHSResult.isUsable()) 9132 return ExprError(); 9133 9134 CondExpr = CondResult.get(); 9135 LHSExpr = LHSResult.get(); 9136 RHSExpr = RHSResult.get(); 9137 } 9138 9139 // If this is the gnu "x ?: y" extension, analyze the types as though the LHS 9140 // was the condition. 9141 OpaqueValueExpr *opaqueValue = nullptr; 9142 Expr *commonExpr = nullptr; 9143 if (!LHSExpr) { 9144 commonExpr = CondExpr; 9145 // Lower out placeholder types first. This is important so that we don't 9146 // try to capture a placeholder. This happens in few cases in C++; such 9147 // as Objective-C++'s dictionary subscripting syntax. 9148 if (commonExpr->hasPlaceholderType()) { 9149 ExprResult result = CheckPlaceholderExpr(commonExpr); 9150 if (!result.isUsable()) return ExprError(); 9151 commonExpr = result.get(); 9152 } 9153 // We usually want to apply unary conversions *before* saving, except 9154 // in the special case of a C++ l-value conditional. 9155 if (!(getLangOpts().CPlusPlus 9156 && !commonExpr->isTypeDependent() 9157 && commonExpr->getValueKind() == RHSExpr->getValueKind() 9158 && commonExpr->isGLValue() 9159 && commonExpr->isOrdinaryOrBitFieldObject() 9160 && RHSExpr->isOrdinaryOrBitFieldObject() 9161 && Context.hasSameType(commonExpr->getType(), RHSExpr->getType()))) { 9162 ExprResult commonRes = UsualUnaryConversions(commonExpr); 9163 if (commonRes.isInvalid()) 9164 return ExprError(); 9165 commonExpr = commonRes.get(); 9166 } 9167 9168 // If the common expression is a class or array prvalue, materialize it 9169 // so that we can safely refer to it multiple times. 9170 if (commonExpr->isPRValue() && (commonExpr->getType()->isRecordType() || 9171 commonExpr->getType()->isArrayType())) { 9172 ExprResult MatExpr = TemporaryMaterializationConversion(commonExpr); 9173 if (MatExpr.isInvalid()) 9174 return ExprError(); 9175 commonExpr = MatExpr.get(); 9176 } 9177 9178 opaqueValue = new (Context) OpaqueValueExpr(commonExpr->getExprLoc(), 9179 commonExpr->getType(), 9180 commonExpr->getValueKind(), 9181 commonExpr->getObjectKind(), 9182 commonExpr); 9183 LHSExpr = CondExpr = opaqueValue; 9184 } 9185 9186 QualType LHSTy = LHSExpr->getType(), RHSTy = RHSExpr->getType(); 9187 ExprValueKind VK = VK_PRValue; 9188 ExprObjectKind OK = OK_Ordinary; 9189 ExprResult Cond = CondExpr, LHS = LHSExpr, RHS = RHSExpr; 9190 QualType result = CheckConditionalOperands(Cond, LHS, RHS, 9191 VK, OK, QuestionLoc); 9192 if (result.isNull() || Cond.isInvalid() || LHS.isInvalid() || 9193 RHS.isInvalid()) 9194 return ExprError(); 9195 9196 DiagnoseConditionalPrecedence(*this, QuestionLoc, Cond.get(), LHS.get(), 9197 RHS.get()); 9198 9199 CheckBoolLikeConversion(Cond.get(), QuestionLoc); 9200 9201 result = computeConditionalNullability(result, commonExpr, LHSTy, RHSTy, 9202 Context); 9203 9204 if (!commonExpr) 9205 return new (Context) 9206 ConditionalOperator(Cond.get(), QuestionLoc, LHS.get(), ColonLoc, 9207 RHS.get(), result, VK, OK); 9208 9209 return new (Context) BinaryConditionalOperator( 9210 commonExpr, opaqueValue, Cond.get(), LHS.get(), RHS.get(), QuestionLoc, 9211 ColonLoc, result, VK, OK); 9212 } 9213 9214 // Check if we have a conversion between incompatible cmse function pointer 9215 // types, that is, a conversion between a function pointer with the 9216 // cmse_nonsecure_call attribute and one without. 9217 static bool IsInvalidCmseNSCallConversion(Sema &S, QualType FromType, 9218 QualType ToType) { 9219 if (const auto *ToFn = 9220 dyn_cast<FunctionType>(S.Context.getCanonicalType(ToType))) { 9221 if (const auto *FromFn = 9222 dyn_cast<FunctionType>(S.Context.getCanonicalType(FromType))) { 9223 FunctionType::ExtInfo ToEInfo = ToFn->getExtInfo(); 9224 FunctionType::ExtInfo FromEInfo = FromFn->getExtInfo(); 9225 9226 return ToEInfo.getCmseNSCall() != FromEInfo.getCmseNSCall(); 9227 } 9228 } 9229 return false; 9230 } 9231 9232 // checkPointerTypesForAssignment - This is a very tricky routine (despite 9233 // being closely modeled after the C99 spec:-). The odd characteristic of this 9234 // routine is it effectively iqnores the qualifiers on the top level pointee. 9235 // This circumvents the usual type rules specified in 6.2.7p1 & 6.7.5.[1-3]. 9236 // FIXME: add a couple examples in this comment. 9237 static Sema::AssignConvertType 9238 checkPointerTypesForAssignment(Sema &S, QualType LHSType, QualType RHSType) { 9239 assert(LHSType.isCanonical() && "LHS not canonicalized!"); 9240 assert(RHSType.isCanonical() && "RHS not canonicalized!"); 9241 9242 // get the "pointed to" type (ignoring qualifiers at the top level) 9243 const Type *lhptee, *rhptee; 9244 Qualifiers lhq, rhq; 9245 std::tie(lhptee, lhq) = 9246 cast<PointerType>(LHSType)->getPointeeType().split().asPair(); 9247 std::tie(rhptee, rhq) = 9248 cast<PointerType>(RHSType)->getPointeeType().split().asPair(); 9249 9250 Sema::AssignConvertType ConvTy = Sema::Compatible; 9251 9252 // C99 6.5.16.1p1: This following citation is common to constraints 9253 // 3 & 4 (below). ...and the type *pointed to* by the left has all the 9254 // qualifiers of the type *pointed to* by the right; 9255 9256 // As a special case, 'non-__weak A *' -> 'non-__weak const *' is okay. 9257 if (lhq.getObjCLifetime() != rhq.getObjCLifetime() && 9258 lhq.compatiblyIncludesObjCLifetime(rhq)) { 9259 // Ignore lifetime for further calculation. 9260 lhq.removeObjCLifetime(); 9261 rhq.removeObjCLifetime(); 9262 } 9263 9264 if (!lhq.compatiblyIncludes(rhq)) { 9265 // Treat address-space mismatches as fatal. 9266 if (!lhq.isAddressSpaceSupersetOf(rhq)) 9267 return Sema::IncompatiblePointerDiscardsQualifiers; 9268 9269 // It's okay to add or remove GC or lifetime qualifiers when converting to 9270 // and from void*. 9271 else if (lhq.withoutObjCGCAttr().withoutObjCLifetime() 9272 .compatiblyIncludes( 9273 rhq.withoutObjCGCAttr().withoutObjCLifetime()) 9274 && (lhptee->isVoidType() || rhptee->isVoidType())) 9275 ; // keep old 9276 9277 // Treat lifetime mismatches as fatal. 9278 else if (lhq.getObjCLifetime() != rhq.getObjCLifetime()) 9279 ConvTy = Sema::IncompatiblePointerDiscardsQualifiers; 9280 9281 // For GCC/MS compatibility, other qualifier mismatches are treated 9282 // as still compatible in C. 9283 else ConvTy = Sema::CompatiblePointerDiscardsQualifiers; 9284 } 9285 9286 // C99 6.5.16.1p1 (constraint 4): If one operand is a pointer to an object or 9287 // incomplete type and the other is a pointer to a qualified or unqualified 9288 // version of void... 9289 if (lhptee->isVoidType()) { 9290 if (rhptee->isIncompleteOrObjectType()) 9291 return ConvTy; 9292 9293 // As an extension, we allow cast to/from void* to function pointer. 9294 assert(rhptee->isFunctionType()); 9295 return Sema::FunctionVoidPointer; 9296 } 9297 9298 if (rhptee->isVoidType()) { 9299 if (lhptee->isIncompleteOrObjectType()) 9300 return ConvTy; 9301 9302 // As an extension, we allow cast to/from void* to function pointer. 9303 assert(lhptee->isFunctionType()); 9304 return Sema::FunctionVoidPointer; 9305 } 9306 9307 // C99 6.5.16.1p1 (constraint 3): both operands are pointers to qualified or 9308 // unqualified versions of compatible types, ... 9309 QualType ltrans = QualType(lhptee, 0), rtrans = QualType(rhptee, 0); 9310 if (!S.Context.typesAreCompatible(ltrans, rtrans)) { 9311 // Check if the pointee types are compatible ignoring the sign. 9312 // We explicitly check for char so that we catch "char" vs 9313 // "unsigned char" on systems where "char" is unsigned. 9314 if (lhptee->isCharType()) 9315 ltrans = S.Context.UnsignedCharTy; 9316 else if (lhptee->hasSignedIntegerRepresentation()) 9317 ltrans = S.Context.getCorrespondingUnsignedType(ltrans); 9318 9319 if (rhptee->isCharType()) 9320 rtrans = S.Context.UnsignedCharTy; 9321 else if (rhptee->hasSignedIntegerRepresentation()) 9322 rtrans = S.Context.getCorrespondingUnsignedType(rtrans); 9323 9324 if (ltrans == rtrans) { 9325 // Types are compatible ignoring the sign. Qualifier incompatibility 9326 // takes priority over sign incompatibility because the sign 9327 // warning can be disabled. 9328 if (ConvTy != Sema::Compatible) 9329 return ConvTy; 9330 9331 return Sema::IncompatiblePointerSign; 9332 } 9333 9334 // If we are a multi-level pointer, it's possible that our issue is simply 9335 // one of qualification - e.g. char ** -> const char ** is not allowed. If 9336 // the eventual target type is the same and the pointers have the same 9337 // level of indirection, this must be the issue. 9338 if (isa<PointerType>(lhptee) && isa<PointerType>(rhptee)) { 9339 do { 9340 std::tie(lhptee, lhq) = 9341 cast<PointerType>(lhptee)->getPointeeType().split().asPair(); 9342 std::tie(rhptee, rhq) = 9343 cast<PointerType>(rhptee)->getPointeeType().split().asPair(); 9344 9345 // Inconsistent address spaces at this point is invalid, even if the 9346 // address spaces would be compatible. 9347 // FIXME: This doesn't catch address space mismatches for pointers of 9348 // different nesting levels, like: 9349 // __local int *** a; 9350 // int ** b = a; 9351 // It's not clear how to actually determine when such pointers are 9352 // invalidly incompatible. 9353 if (lhq.getAddressSpace() != rhq.getAddressSpace()) 9354 return Sema::IncompatibleNestedPointerAddressSpaceMismatch; 9355 9356 } while (isa<PointerType>(lhptee) && isa<PointerType>(rhptee)); 9357 9358 if (lhptee == rhptee) 9359 return Sema::IncompatibleNestedPointerQualifiers; 9360 } 9361 9362 // General pointer incompatibility takes priority over qualifiers. 9363 if (RHSType->isFunctionPointerType() && LHSType->isFunctionPointerType()) 9364 return Sema::IncompatibleFunctionPointer; 9365 return Sema::IncompatiblePointer; 9366 } 9367 if (!S.getLangOpts().CPlusPlus && 9368 S.IsFunctionConversion(ltrans, rtrans, ltrans)) 9369 return Sema::IncompatibleFunctionPointer; 9370 if (IsInvalidCmseNSCallConversion(S, ltrans, rtrans)) 9371 return Sema::IncompatibleFunctionPointer; 9372 return ConvTy; 9373 } 9374 9375 /// checkBlockPointerTypesForAssignment - This routine determines whether two 9376 /// block pointer types are compatible or whether a block and normal pointer 9377 /// are compatible. It is more restrict than comparing two function pointer 9378 // types. 9379 static Sema::AssignConvertType 9380 checkBlockPointerTypesForAssignment(Sema &S, QualType LHSType, 9381 QualType RHSType) { 9382 assert(LHSType.isCanonical() && "LHS not canonicalized!"); 9383 assert(RHSType.isCanonical() && "RHS not canonicalized!"); 9384 9385 QualType lhptee, rhptee; 9386 9387 // get the "pointed to" type (ignoring qualifiers at the top level) 9388 lhptee = cast<BlockPointerType>(LHSType)->getPointeeType(); 9389 rhptee = cast<BlockPointerType>(RHSType)->getPointeeType(); 9390 9391 // In C++, the types have to match exactly. 9392 if (S.getLangOpts().CPlusPlus) 9393 return Sema::IncompatibleBlockPointer; 9394 9395 Sema::AssignConvertType ConvTy = Sema::Compatible; 9396 9397 // For blocks we enforce that qualifiers are identical. 9398 Qualifiers LQuals = lhptee.getLocalQualifiers(); 9399 Qualifiers RQuals = rhptee.getLocalQualifiers(); 9400 if (S.getLangOpts().OpenCL) { 9401 LQuals.removeAddressSpace(); 9402 RQuals.removeAddressSpace(); 9403 } 9404 if (LQuals != RQuals) 9405 ConvTy = Sema::CompatiblePointerDiscardsQualifiers; 9406 9407 // FIXME: OpenCL doesn't define the exact compile time semantics for a block 9408 // assignment. 9409 // The current behavior is similar to C++ lambdas. A block might be 9410 // assigned to a variable iff its return type and parameters are compatible 9411 // (C99 6.2.7) with the corresponding return type and parameters of the LHS of 9412 // an assignment. Presumably it should behave in way that a function pointer 9413 // assignment does in C, so for each parameter and return type: 9414 // * CVR and address space of LHS should be a superset of CVR and address 9415 // space of RHS. 9416 // * unqualified types should be compatible. 9417 if (S.getLangOpts().OpenCL) { 9418 if (!S.Context.typesAreBlockPointerCompatible( 9419 S.Context.getQualifiedType(LHSType.getUnqualifiedType(), LQuals), 9420 S.Context.getQualifiedType(RHSType.getUnqualifiedType(), RQuals))) 9421 return Sema::IncompatibleBlockPointer; 9422 } else if (!S.Context.typesAreBlockPointerCompatible(LHSType, RHSType)) 9423 return Sema::IncompatibleBlockPointer; 9424 9425 return ConvTy; 9426 } 9427 9428 /// checkObjCPointerTypesForAssignment - Compares two objective-c pointer types 9429 /// for assignment compatibility. 9430 static Sema::AssignConvertType 9431 checkObjCPointerTypesForAssignment(Sema &S, QualType LHSType, 9432 QualType RHSType) { 9433 assert(LHSType.isCanonical() && "LHS was not canonicalized!"); 9434 assert(RHSType.isCanonical() && "RHS was not canonicalized!"); 9435 9436 if (LHSType->isObjCBuiltinType()) { 9437 // Class is not compatible with ObjC object pointers. 9438 if (LHSType->isObjCClassType() && !RHSType->isObjCBuiltinType() && 9439 !RHSType->isObjCQualifiedClassType()) 9440 return Sema::IncompatiblePointer; 9441 return Sema::Compatible; 9442 } 9443 if (RHSType->isObjCBuiltinType()) { 9444 if (RHSType->isObjCClassType() && !LHSType->isObjCBuiltinType() && 9445 !LHSType->isObjCQualifiedClassType()) 9446 return Sema::IncompatiblePointer; 9447 return Sema::Compatible; 9448 } 9449 QualType lhptee = LHSType->castAs<ObjCObjectPointerType>()->getPointeeType(); 9450 QualType rhptee = RHSType->castAs<ObjCObjectPointerType>()->getPointeeType(); 9451 9452 if (!lhptee.isAtLeastAsQualifiedAs(rhptee) && 9453 // make an exception for id<P> 9454 !LHSType->isObjCQualifiedIdType()) 9455 return Sema::CompatiblePointerDiscardsQualifiers; 9456 9457 if (S.Context.typesAreCompatible(LHSType, RHSType)) 9458 return Sema::Compatible; 9459 if (LHSType->isObjCQualifiedIdType() || RHSType->isObjCQualifiedIdType()) 9460 return Sema::IncompatibleObjCQualifiedId; 9461 return Sema::IncompatiblePointer; 9462 } 9463 9464 Sema::AssignConvertType 9465 Sema::CheckAssignmentConstraints(SourceLocation Loc, 9466 QualType LHSType, QualType RHSType) { 9467 // Fake up an opaque expression. We don't actually care about what 9468 // cast operations are required, so if CheckAssignmentConstraints 9469 // adds casts to this they'll be wasted, but fortunately that doesn't 9470 // usually happen on valid code. 9471 OpaqueValueExpr RHSExpr(Loc, RHSType, VK_PRValue); 9472 ExprResult RHSPtr = &RHSExpr; 9473 CastKind K; 9474 9475 return CheckAssignmentConstraints(LHSType, RHSPtr, K, /*ConvertRHS=*/false); 9476 } 9477 9478 /// This helper function returns true if QT is a vector type that has element 9479 /// type ElementType. 9480 static bool isVector(QualType QT, QualType ElementType) { 9481 if (const VectorType *VT = QT->getAs<VectorType>()) 9482 return VT->getElementType().getCanonicalType() == ElementType; 9483 return false; 9484 } 9485 9486 /// CheckAssignmentConstraints (C99 6.5.16) - This routine currently 9487 /// has code to accommodate several GCC extensions when type checking 9488 /// pointers. Here are some objectionable examples that GCC considers warnings: 9489 /// 9490 /// int a, *pint; 9491 /// short *pshort; 9492 /// struct foo *pfoo; 9493 /// 9494 /// pint = pshort; // warning: assignment from incompatible pointer type 9495 /// a = pint; // warning: assignment makes integer from pointer without a cast 9496 /// pint = a; // warning: assignment makes pointer from integer without a cast 9497 /// pint = pfoo; // warning: assignment from incompatible pointer type 9498 /// 9499 /// As a result, the code for dealing with pointers is more complex than the 9500 /// C99 spec dictates. 9501 /// 9502 /// Sets 'Kind' for any result kind except Incompatible. 9503 Sema::AssignConvertType 9504 Sema::CheckAssignmentConstraints(QualType LHSType, ExprResult &RHS, 9505 CastKind &Kind, bool ConvertRHS) { 9506 QualType RHSType = RHS.get()->getType(); 9507 QualType OrigLHSType = LHSType; 9508 9509 // Get canonical types. We're not formatting these types, just comparing 9510 // them. 9511 LHSType = Context.getCanonicalType(LHSType).getUnqualifiedType(); 9512 RHSType = Context.getCanonicalType(RHSType).getUnqualifiedType(); 9513 9514 // Common case: no conversion required. 9515 if (LHSType == RHSType) { 9516 Kind = CK_NoOp; 9517 return Compatible; 9518 } 9519 9520 // If the LHS has an __auto_type, there are no additional type constraints 9521 // to be worried about. 9522 if (const auto *AT = dyn_cast<AutoType>(LHSType)) { 9523 if (AT->isGNUAutoType()) { 9524 Kind = CK_NoOp; 9525 return Compatible; 9526 } 9527 } 9528 9529 // If we have an atomic type, try a non-atomic assignment, then just add an 9530 // atomic qualification step. 9531 if (const AtomicType *AtomicTy = dyn_cast<AtomicType>(LHSType)) { 9532 Sema::AssignConvertType result = 9533 CheckAssignmentConstraints(AtomicTy->getValueType(), RHS, Kind); 9534 if (result != Compatible) 9535 return result; 9536 if (Kind != CK_NoOp && ConvertRHS) 9537 RHS = ImpCastExprToType(RHS.get(), AtomicTy->getValueType(), Kind); 9538 Kind = CK_NonAtomicToAtomic; 9539 return Compatible; 9540 } 9541 9542 // If the left-hand side is a reference type, then we are in a 9543 // (rare!) case where we've allowed the use of references in C, 9544 // e.g., as a parameter type in a built-in function. In this case, 9545 // just make sure that the type referenced is compatible with the 9546 // right-hand side type. The caller is responsible for adjusting 9547 // LHSType so that the resulting expression does not have reference 9548 // type. 9549 if (const ReferenceType *LHSTypeRef = LHSType->getAs<ReferenceType>()) { 9550 if (Context.typesAreCompatible(LHSTypeRef->getPointeeType(), RHSType)) { 9551 Kind = CK_LValueBitCast; 9552 return Compatible; 9553 } 9554 return Incompatible; 9555 } 9556 9557 // Allow scalar to ExtVector assignments, and assignments of an ExtVector type 9558 // to the same ExtVector type. 9559 if (LHSType->isExtVectorType()) { 9560 if (RHSType->isExtVectorType()) 9561 return Incompatible; 9562 if (RHSType->isArithmeticType()) { 9563 // CK_VectorSplat does T -> vector T, so first cast to the element type. 9564 if (ConvertRHS) 9565 RHS = prepareVectorSplat(LHSType, RHS.get()); 9566 Kind = CK_VectorSplat; 9567 return Compatible; 9568 } 9569 } 9570 9571 // Conversions to or from vector type. 9572 if (LHSType->isVectorType() || RHSType->isVectorType()) { 9573 if (LHSType->isVectorType() && RHSType->isVectorType()) { 9574 // Allow assignments of an AltiVec vector type to an equivalent GCC 9575 // vector type and vice versa 9576 if (Context.areCompatibleVectorTypes(LHSType, RHSType)) { 9577 Kind = CK_BitCast; 9578 return Compatible; 9579 } 9580 9581 // If we are allowing lax vector conversions, and LHS and RHS are both 9582 // vectors, the total size only needs to be the same. This is a bitcast; 9583 // no bits are changed but the result type is different. 9584 if (isLaxVectorConversion(RHSType, LHSType)) { 9585 // The default for lax vector conversions with Altivec vectors will 9586 // change, so if we are converting between vector types where 9587 // at least one is an Altivec vector, emit a warning. 9588 if (anyAltivecTypes(RHSType, LHSType) && 9589 !areSameVectorElemTypes(RHSType, LHSType)) 9590 Diag(RHS.get()->getExprLoc(), diag::warn_deprecated_lax_vec_conv_all) 9591 << RHSType << LHSType; 9592 Kind = CK_BitCast; 9593 return IncompatibleVectors; 9594 } 9595 } 9596 9597 // When the RHS comes from another lax conversion (e.g. binops between 9598 // scalars and vectors) the result is canonicalized as a vector. When the 9599 // LHS is also a vector, the lax is allowed by the condition above. Handle 9600 // the case where LHS is a scalar. 9601 if (LHSType->isScalarType()) { 9602 const VectorType *VecType = RHSType->getAs<VectorType>(); 9603 if (VecType && VecType->getNumElements() == 1 && 9604 isLaxVectorConversion(RHSType, LHSType)) { 9605 if (VecType->getVectorKind() == VectorType::AltiVecVector) 9606 Diag(RHS.get()->getExprLoc(), diag::warn_deprecated_lax_vec_conv_all) 9607 << RHSType << LHSType; 9608 ExprResult *VecExpr = &RHS; 9609 *VecExpr = ImpCastExprToType(VecExpr->get(), LHSType, CK_BitCast); 9610 Kind = CK_BitCast; 9611 return Compatible; 9612 } 9613 } 9614 9615 // Allow assignments between fixed-length and sizeless SVE vectors. 9616 if ((LHSType->isSizelessBuiltinType() && RHSType->isVectorType()) || 9617 (LHSType->isVectorType() && RHSType->isSizelessBuiltinType())) 9618 if (Context.areCompatibleSveTypes(LHSType, RHSType) || 9619 Context.areLaxCompatibleSveTypes(LHSType, RHSType)) { 9620 Kind = CK_BitCast; 9621 return Compatible; 9622 } 9623 9624 return Incompatible; 9625 } 9626 9627 // Diagnose attempts to convert between __ibm128, __float128 and long double 9628 // where such conversions currently can't be handled. 9629 if (unsupportedTypeConversion(*this, LHSType, RHSType)) 9630 return Incompatible; 9631 9632 // Disallow assigning a _Complex to a real type in C++ mode since it simply 9633 // discards the imaginary part. 9634 if (getLangOpts().CPlusPlus && RHSType->getAs<ComplexType>() && 9635 !LHSType->getAs<ComplexType>()) 9636 return Incompatible; 9637 9638 // Arithmetic conversions. 9639 if (LHSType->isArithmeticType() && RHSType->isArithmeticType() && 9640 !(getLangOpts().CPlusPlus && LHSType->isEnumeralType())) { 9641 if (ConvertRHS) 9642 Kind = PrepareScalarCast(RHS, LHSType); 9643 return Compatible; 9644 } 9645 9646 // Conversions to normal pointers. 9647 if (const PointerType *LHSPointer = dyn_cast<PointerType>(LHSType)) { 9648 // U* -> T* 9649 if (isa<PointerType>(RHSType)) { 9650 LangAS AddrSpaceL = LHSPointer->getPointeeType().getAddressSpace(); 9651 LangAS AddrSpaceR = RHSType->getPointeeType().getAddressSpace(); 9652 if (AddrSpaceL != AddrSpaceR) 9653 Kind = CK_AddressSpaceConversion; 9654 else if (Context.hasCvrSimilarType(RHSType, LHSType)) 9655 Kind = CK_NoOp; 9656 else 9657 Kind = CK_BitCast; 9658 return checkPointerTypesForAssignment(*this, LHSType, RHSType); 9659 } 9660 9661 // int -> T* 9662 if (RHSType->isIntegerType()) { 9663 Kind = CK_IntegralToPointer; // FIXME: null? 9664 return IntToPointer; 9665 } 9666 9667 // C pointers are not compatible with ObjC object pointers, 9668 // with two exceptions: 9669 if (isa<ObjCObjectPointerType>(RHSType)) { 9670 // - conversions to void* 9671 if (LHSPointer->getPointeeType()->isVoidType()) { 9672 Kind = CK_BitCast; 9673 return Compatible; 9674 } 9675 9676 // - conversions from 'Class' to the redefinition type 9677 if (RHSType->isObjCClassType() && 9678 Context.hasSameType(LHSType, 9679 Context.getObjCClassRedefinitionType())) { 9680 Kind = CK_BitCast; 9681 return Compatible; 9682 } 9683 9684 Kind = CK_BitCast; 9685 return IncompatiblePointer; 9686 } 9687 9688 // U^ -> void* 9689 if (RHSType->getAs<BlockPointerType>()) { 9690 if (LHSPointer->getPointeeType()->isVoidType()) { 9691 LangAS AddrSpaceL = LHSPointer->getPointeeType().getAddressSpace(); 9692 LangAS AddrSpaceR = RHSType->getAs<BlockPointerType>() 9693 ->getPointeeType() 9694 .getAddressSpace(); 9695 Kind = 9696 AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion : CK_BitCast; 9697 return Compatible; 9698 } 9699 } 9700 9701 return Incompatible; 9702 } 9703 9704 // Conversions to block pointers. 9705 if (isa<BlockPointerType>(LHSType)) { 9706 // U^ -> T^ 9707 if (RHSType->isBlockPointerType()) { 9708 LangAS AddrSpaceL = LHSType->getAs<BlockPointerType>() 9709 ->getPointeeType() 9710 .getAddressSpace(); 9711 LangAS AddrSpaceR = RHSType->getAs<BlockPointerType>() 9712 ->getPointeeType() 9713 .getAddressSpace(); 9714 Kind = AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion : CK_BitCast; 9715 return checkBlockPointerTypesForAssignment(*this, LHSType, RHSType); 9716 } 9717 9718 // int or null -> T^ 9719 if (RHSType->isIntegerType()) { 9720 Kind = CK_IntegralToPointer; // FIXME: null 9721 return IntToBlockPointer; 9722 } 9723 9724 // id -> T^ 9725 if (getLangOpts().ObjC && RHSType->isObjCIdType()) { 9726 Kind = CK_AnyPointerToBlockPointerCast; 9727 return Compatible; 9728 } 9729 9730 // void* -> T^ 9731 if (const PointerType *RHSPT = RHSType->getAs<PointerType>()) 9732 if (RHSPT->getPointeeType()->isVoidType()) { 9733 Kind = CK_AnyPointerToBlockPointerCast; 9734 return Compatible; 9735 } 9736 9737 return Incompatible; 9738 } 9739 9740 // Conversions to Objective-C pointers. 9741 if (isa<ObjCObjectPointerType>(LHSType)) { 9742 // A* -> B* 9743 if (RHSType->isObjCObjectPointerType()) { 9744 Kind = CK_BitCast; 9745 Sema::AssignConvertType result = 9746 checkObjCPointerTypesForAssignment(*this, LHSType, RHSType); 9747 if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers() && 9748 result == Compatible && 9749 !CheckObjCARCUnavailableWeakConversion(OrigLHSType, RHSType)) 9750 result = IncompatibleObjCWeakRef; 9751 return result; 9752 } 9753 9754 // int or null -> A* 9755 if (RHSType->isIntegerType()) { 9756 Kind = CK_IntegralToPointer; // FIXME: null 9757 return IntToPointer; 9758 } 9759 9760 // In general, C pointers are not compatible with ObjC object pointers, 9761 // with two exceptions: 9762 if (isa<PointerType>(RHSType)) { 9763 Kind = CK_CPointerToObjCPointerCast; 9764 9765 // - conversions from 'void*' 9766 if (RHSType->isVoidPointerType()) { 9767 return Compatible; 9768 } 9769 9770 // - conversions to 'Class' from its redefinition type 9771 if (LHSType->isObjCClassType() && 9772 Context.hasSameType(RHSType, 9773 Context.getObjCClassRedefinitionType())) { 9774 return Compatible; 9775 } 9776 9777 return IncompatiblePointer; 9778 } 9779 9780 // Only under strict condition T^ is compatible with an Objective-C pointer. 9781 if (RHSType->isBlockPointerType() && 9782 LHSType->isBlockCompatibleObjCPointerType(Context)) { 9783 if (ConvertRHS) 9784 maybeExtendBlockObject(RHS); 9785 Kind = CK_BlockPointerToObjCPointerCast; 9786 return Compatible; 9787 } 9788 9789 return Incompatible; 9790 } 9791 9792 // Conversions from pointers that are not covered by the above. 9793 if (isa<PointerType>(RHSType)) { 9794 // T* -> _Bool 9795 if (LHSType == Context.BoolTy) { 9796 Kind = CK_PointerToBoolean; 9797 return Compatible; 9798 } 9799 9800 // T* -> int 9801 if (LHSType->isIntegerType()) { 9802 Kind = CK_PointerToIntegral; 9803 return PointerToInt; 9804 } 9805 9806 return Incompatible; 9807 } 9808 9809 // Conversions from Objective-C pointers that are not covered by the above. 9810 if (isa<ObjCObjectPointerType>(RHSType)) { 9811 // T* -> _Bool 9812 if (LHSType == Context.BoolTy) { 9813 Kind = CK_PointerToBoolean; 9814 return Compatible; 9815 } 9816 9817 // T* -> int 9818 if (LHSType->isIntegerType()) { 9819 Kind = CK_PointerToIntegral; 9820 return PointerToInt; 9821 } 9822 9823 return Incompatible; 9824 } 9825 9826 // struct A -> struct B 9827 if (isa<TagType>(LHSType) && isa<TagType>(RHSType)) { 9828 if (Context.typesAreCompatible(LHSType, RHSType)) { 9829 Kind = CK_NoOp; 9830 return Compatible; 9831 } 9832 } 9833 9834 if (LHSType->isSamplerT() && RHSType->isIntegerType()) { 9835 Kind = CK_IntToOCLSampler; 9836 return Compatible; 9837 } 9838 9839 return Incompatible; 9840 } 9841 9842 /// Constructs a transparent union from an expression that is 9843 /// used to initialize the transparent union. 9844 static void ConstructTransparentUnion(Sema &S, ASTContext &C, 9845 ExprResult &EResult, QualType UnionType, 9846 FieldDecl *Field) { 9847 // Build an initializer list that designates the appropriate member 9848 // of the transparent union. 9849 Expr *E = EResult.get(); 9850 InitListExpr *Initializer = new (C) InitListExpr(C, SourceLocation(), 9851 E, SourceLocation()); 9852 Initializer->setType(UnionType); 9853 Initializer->setInitializedFieldInUnion(Field); 9854 9855 // Build a compound literal constructing a value of the transparent 9856 // union type from this initializer list. 9857 TypeSourceInfo *unionTInfo = C.getTrivialTypeSourceInfo(UnionType); 9858 EResult = new (C) CompoundLiteralExpr(SourceLocation(), unionTInfo, UnionType, 9859 VK_PRValue, Initializer, false); 9860 } 9861 9862 Sema::AssignConvertType 9863 Sema::CheckTransparentUnionArgumentConstraints(QualType ArgType, 9864 ExprResult &RHS) { 9865 QualType RHSType = RHS.get()->getType(); 9866 9867 // If the ArgType is a Union type, we want to handle a potential 9868 // transparent_union GCC extension. 9869 const RecordType *UT = ArgType->getAsUnionType(); 9870 if (!UT || !UT->getDecl()->hasAttr<TransparentUnionAttr>()) 9871 return Incompatible; 9872 9873 // The field to initialize within the transparent union. 9874 RecordDecl *UD = UT->getDecl(); 9875 FieldDecl *InitField = nullptr; 9876 // It's compatible if the expression matches any of the fields. 9877 for (auto *it : UD->fields()) { 9878 if (it->getType()->isPointerType()) { 9879 // If the transparent union contains a pointer type, we allow: 9880 // 1) void pointer 9881 // 2) null pointer constant 9882 if (RHSType->isPointerType()) 9883 if (RHSType->castAs<PointerType>()->getPointeeType()->isVoidType()) { 9884 RHS = ImpCastExprToType(RHS.get(), it->getType(), CK_BitCast); 9885 InitField = it; 9886 break; 9887 } 9888 9889 if (RHS.get()->isNullPointerConstant(Context, 9890 Expr::NPC_ValueDependentIsNull)) { 9891 RHS = ImpCastExprToType(RHS.get(), it->getType(), 9892 CK_NullToPointer); 9893 InitField = it; 9894 break; 9895 } 9896 } 9897 9898 CastKind Kind; 9899 if (CheckAssignmentConstraints(it->getType(), RHS, Kind) 9900 == Compatible) { 9901 RHS = ImpCastExprToType(RHS.get(), it->getType(), Kind); 9902 InitField = it; 9903 break; 9904 } 9905 } 9906 9907 if (!InitField) 9908 return Incompatible; 9909 9910 ConstructTransparentUnion(*this, Context, RHS, ArgType, InitField); 9911 return Compatible; 9912 } 9913 9914 Sema::AssignConvertType 9915 Sema::CheckSingleAssignmentConstraints(QualType LHSType, ExprResult &CallerRHS, 9916 bool Diagnose, 9917 bool DiagnoseCFAudited, 9918 bool ConvertRHS) { 9919 // We need to be able to tell the caller whether we diagnosed a problem, if 9920 // they ask us to issue diagnostics. 9921 assert((ConvertRHS || !Diagnose) && "can't indicate whether we diagnosed"); 9922 9923 // If ConvertRHS is false, we want to leave the caller's RHS untouched. Sadly, 9924 // we can't avoid *all* modifications at the moment, so we need some somewhere 9925 // to put the updated value. 9926 ExprResult LocalRHS = CallerRHS; 9927 ExprResult &RHS = ConvertRHS ? CallerRHS : LocalRHS; 9928 9929 if (const auto *LHSPtrType = LHSType->getAs<PointerType>()) { 9930 if (const auto *RHSPtrType = RHS.get()->getType()->getAs<PointerType>()) { 9931 if (RHSPtrType->getPointeeType()->hasAttr(attr::NoDeref) && 9932 !LHSPtrType->getPointeeType()->hasAttr(attr::NoDeref)) { 9933 Diag(RHS.get()->getExprLoc(), 9934 diag::warn_noderef_to_dereferenceable_pointer) 9935 << RHS.get()->getSourceRange(); 9936 } 9937 } 9938 } 9939 9940 if (getLangOpts().CPlusPlus) { 9941 if (!LHSType->isRecordType() && !LHSType->isAtomicType()) { 9942 // C++ 5.17p3: If the left operand is not of class type, the 9943 // expression is implicitly converted (C++ 4) to the 9944 // cv-unqualified type of the left operand. 9945 QualType RHSType = RHS.get()->getType(); 9946 if (Diagnose) { 9947 RHS = PerformImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(), 9948 AA_Assigning); 9949 } else { 9950 ImplicitConversionSequence ICS = 9951 TryImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(), 9952 /*SuppressUserConversions=*/false, 9953 AllowedExplicit::None, 9954 /*InOverloadResolution=*/false, 9955 /*CStyle=*/false, 9956 /*AllowObjCWritebackConversion=*/false); 9957 if (ICS.isFailure()) 9958 return Incompatible; 9959 RHS = PerformImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(), 9960 ICS, AA_Assigning); 9961 } 9962 if (RHS.isInvalid()) 9963 return Incompatible; 9964 Sema::AssignConvertType result = Compatible; 9965 if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers() && 9966 !CheckObjCARCUnavailableWeakConversion(LHSType, RHSType)) 9967 result = IncompatibleObjCWeakRef; 9968 return result; 9969 } 9970 9971 // FIXME: Currently, we fall through and treat C++ classes like C 9972 // structures. 9973 // FIXME: We also fall through for atomics; not sure what should 9974 // happen there, though. 9975 } else if (RHS.get()->getType() == Context.OverloadTy) { 9976 // As a set of extensions to C, we support overloading on functions. These 9977 // functions need to be resolved here. 9978 DeclAccessPair DAP; 9979 if (FunctionDecl *FD = ResolveAddressOfOverloadedFunction( 9980 RHS.get(), LHSType, /*Complain=*/false, DAP)) 9981 RHS = FixOverloadedFunctionReference(RHS.get(), DAP, FD); 9982 else 9983 return Incompatible; 9984 } 9985 9986 // C99 6.5.16.1p1: the left operand is a pointer and the right is 9987 // a null pointer constant. 9988 if ((LHSType->isPointerType() || LHSType->isObjCObjectPointerType() || 9989 LHSType->isBlockPointerType()) && 9990 RHS.get()->isNullPointerConstant(Context, 9991 Expr::NPC_ValueDependentIsNull)) { 9992 if (Diagnose || ConvertRHS) { 9993 CastKind Kind; 9994 CXXCastPath Path; 9995 CheckPointerConversion(RHS.get(), LHSType, Kind, Path, 9996 /*IgnoreBaseAccess=*/false, Diagnose); 9997 if (ConvertRHS) 9998 RHS = ImpCastExprToType(RHS.get(), LHSType, Kind, VK_PRValue, &Path); 9999 } 10000 return Compatible; 10001 } 10002 10003 // OpenCL queue_t type assignment. 10004 if (LHSType->isQueueT() && RHS.get()->isNullPointerConstant( 10005 Context, Expr::NPC_ValueDependentIsNull)) { 10006 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 10007 return Compatible; 10008 } 10009 10010 // This check seems unnatural, however it is necessary to ensure the proper 10011 // conversion of functions/arrays. If the conversion were done for all 10012 // DeclExpr's (created by ActOnIdExpression), it would mess up the unary 10013 // expressions that suppress this implicit conversion (&, sizeof). 10014 // 10015 // Suppress this for references: C++ 8.5.3p5. 10016 if (!LHSType->isReferenceType()) { 10017 // FIXME: We potentially allocate here even if ConvertRHS is false. 10018 RHS = DefaultFunctionArrayLvalueConversion(RHS.get(), Diagnose); 10019 if (RHS.isInvalid()) 10020 return Incompatible; 10021 } 10022 CastKind Kind; 10023 Sema::AssignConvertType result = 10024 CheckAssignmentConstraints(LHSType, RHS, Kind, ConvertRHS); 10025 10026 // C99 6.5.16.1p2: The value of the right operand is converted to the 10027 // type of the assignment expression. 10028 // CheckAssignmentConstraints allows the left-hand side to be a reference, 10029 // so that we can use references in built-in functions even in C. 10030 // The getNonReferenceType() call makes sure that the resulting expression 10031 // does not have reference type. 10032 if (result != Incompatible && RHS.get()->getType() != LHSType) { 10033 QualType Ty = LHSType.getNonLValueExprType(Context); 10034 Expr *E = RHS.get(); 10035 10036 // Check for various Objective-C errors. If we are not reporting 10037 // diagnostics and just checking for errors, e.g., during overload 10038 // resolution, return Incompatible to indicate the failure. 10039 if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers() && 10040 CheckObjCConversion(SourceRange(), Ty, E, CCK_ImplicitConversion, 10041 Diagnose, DiagnoseCFAudited) != ACR_okay) { 10042 if (!Diagnose) 10043 return Incompatible; 10044 } 10045 if (getLangOpts().ObjC && 10046 (CheckObjCBridgeRelatedConversions(E->getBeginLoc(), LHSType, 10047 E->getType(), E, Diagnose) || 10048 CheckConversionToObjCLiteral(LHSType, E, Diagnose))) { 10049 if (!Diagnose) 10050 return Incompatible; 10051 // Replace the expression with a corrected version and continue so we 10052 // can find further errors. 10053 RHS = E; 10054 return Compatible; 10055 } 10056 10057 if (ConvertRHS) 10058 RHS = ImpCastExprToType(E, Ty, Kind); 10059 } 10060 10061 return result; 10062 } 10063 10064 namespace { 10065 /// The original operand to an operator, prior to the application of the usual 10066 /// arithmetic conversions and converting the arguments of a builtin operator 10067 /// candidate. 10068 struct OriginalOperand { 10069 explicit OriginalOperand(Expr *Op) : Orig(Op), Conversion(nullptr) { 10070 if (auto *MTE = dyn_cast<MaterializeTemporaryExpr>(Op)) 10071 Op = MTE->getSubExpr(); 10072 if (auto *BTE = dyn_cast<CXXBindTemporaryExpr>(Op)) 10073 Op = BTE->getSubExpr(); 10074 if (auto *ICE = dyn_cast<ImplicitCastExpr>(Op)) { 10075 Orig = ICE->getSubExprAsWritten(); 10076 Conversion = ICE->getConversionFunction(); 10077 } 10078 } 10079 10080 QualType getType() const { return Orig->getType(); } 10081 10082 Expr *Orig; 10083 NamedDecl *Conversion; 10084 }; 10085 } 10086 10087 QualType Sema::InvalidOperands(SourceLocation Loc, ExprResult &LHS, 10088 ExprResult &RHS) { 10089 OriginalOperand OrigLHS(LHS.get()), OrigRHS(RHS.get()); 10090 10091 Diag(Loc, diag::err_typecheck_invalid_operands) 10092 << OrigLHS.getType() << OrigRHS.getType() 10093 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 10094 10095 // If a user-defined conversion was applied to either of the operands prior 10096 // to applying the built-in operator rules, tell the user about it. 10097 if (OrigLHS.Conversion) { 10098 Diag(OrigLHS.Conversion->getLocation(), 10099 diag::note_typecheck_invalid_operands_converted) 10100 << 0 << LHS.get()->getType(); 10101 } 10102 if (OrigRHS.Conversion) { 10103 Diag(OrigRHS.Conversion->getLocation(), 10104 diag::note_typecheck_invalid_operands_converted) 10105 << 1 << RHS.get()->getType(); 10106 } 10107 10108 return QualType(); 10109 } 10110 10111 // Diagnose cases where a scalar was implicitly converted to a vector and 10112 // diagnose the underlying types. Otherwise, diagnose the error 10113 // as invalid vector logical operands for non-C++ cases. 10114 QualType Sema::InvalidLogicalVectorOperands(SourceLocation Loc, ExprResult &LHS, 10115 ExprResult &RHS) { 10116 QualType LHSType = LHS.get()->IgnoreImpCasts()->getType(); 10117 QualType RHSType = RHS.get()->IgnoreImpCasts()->getType(); 10118 10119 bool LHSNatVec = LHSType->isVectorType(); 10120 bool RHSNatVec = RHSType->isVectorType(); 10121 10122 if (!(LHSNatVec && RHSNatVec)) { 10123 Expr *Vector = LHSNatVec ? LHS.get() : RHS.get(); 10124 Expr *NonVector = !LHSNatVec ? LHS.get() : RHS.get(); 10125 Diag(Loc, diag::err_typecheck_logical_vector_expr_gnu_cpp_restrict) 10126 << 0 << Vector->getType() << NonVector->IgnoreImpCasts()->getType() 10127 << Vector->getSourceRange(); 10128 return QualType(); 10129 } 10130 10131 Diag(Loc, diag::err_typecheck_logical_vector_expr_gnu_cpp_restrict) 10132 << 1 << LHSType << RHSType << LHS.get()->getSourceRange() 10133 << RHS.get()->getSourceRange(); 10134 10135 return QualType(); 10136 } 10137 10138 /// Try to convert a value of non-vector type to a vector type by converting 10139 /// the type to the element type of the vector and then performing a splat. 10140 /// If the language is OpenCL, we only use conversions that promote scalar 10141 /// rank; for C, Obj-C, and C++ we allow any real scalar conversion except 10142 /// for float->int. 10143 /// 10144 /// OpenCL V2.0 6.2.6.p2: 10145 /// An error shall occur if any scalar operand type has greater rank 10146 /// than the type of the vector element. 10147 /// 10148 /// \param scalar - if non-null, actually perform the conversions 10149 /// \return true if the operation fails (but without diagnosing the failure) 10150 static bool tryVectorConvertAndSplat(Sema &S, ExprResult *scalar, 10151 QualType scalarTy, 10152 QualType vectorEltTy, 10153 QualType vectorTy, 10154 unsigned &DiagID) { 10155 // The conversion to apply to the scalar before splatting it, 10156 // if necessary. 10157 CastKind scalarCast = CK_NoOp; 10158 10159 if (vectorEltTy->isIntegralType(S.Context)) { 10160 if (S.getLangOpts().OpenCL && (scalarTy->isRealFloatingType() || 10161 (scalarTy->isIntegerType() && 10162 S.Context.getIntegerTypeOrder(vectorEltTy, scalarTy) < 0))) { 10163 DiagID = diag::err_opencl_scalar_type_rank_greater_than_vector_type; 10164 return true; 10165 } 10166 if (!scalarTy->isIntegralType(S.Context)) 10167 return true; 10168 scalarCast = CK_IntegralCast; 10169 } else if (vectorEltTy->isRealFloatingType()) { 10170 if (scalarTy->isRealFloatingType()) { 10171 if (S.getLangOpts().OpenCL && 10172 S.Context.getFloatingTypeOrder(vectorEltTy, scalarTy) < 0) { 10173 DiagID = diag::err_opencl_scalar_type_rank_greater_than_vector_type; 10174 return true; 10175 } 10176 scalarCast = CK_FloatingCast; 10177 } 10178 else if (scalarTy->isIntegralType(S.Context)) 10179 scalarCast = CK_IntegralToFloating; 10180 else 10181 return true; 10182 } else { 10183 return true; 10184 } 10185 10186 // Adjust scalar if desired. 10187 if (scalar) { 10188 if (scalarCast != CK_NoOp) 10189 *scalar = S.ImpCastExprToType(scalar->get(), vectorEltTy, scalarCast); 10190 *scalar = S.ImpCastExprToType(scalar->get(), vectorTy, CK_VectorSplat); 10191 } 10192 return false; 10193 } 10194 10195 /// Convert vector E to a vector with the same number of elements but different 10196 /// element type. 10197 static ExprResult convertVector(Expr *E, QualType ElementType, Sema &S) { 10198 const auto *VecTy = E->getType()->getAs<VectorType>(); 10199 assert(VecTy && "Expression E must be a vector"); 10200 QualType NewVecTy = 10201 VecTy->isExtVectorType() 10202 ? S.Context.getExtVectorType(ElementType, VecTy->getNumElements()) 10203 : S.Context.getVectorType(ElementType, VecTy->getNumElements(), 10204 VecTy->getVectorKind()); 10205 10206 // Look through the implicit cast. Return the subexpression if its type is 10207 // NewVecTy. 10208 if (auto *ICE = dyn_cast<ImplicitCastExpr>(E)) 10209 if (ICE->getSubExpr()->getType() == NewVecTy) 10210 return ICE->getSubExpr(); 10211 10212 auto Cast = ElementType->isIntegerType() ? CK_IntegralCast : CK_FloatingCast; 10213 return S.ImpCastExprToType(E, NewVecTy, Cast); 10214 } 10215 10216 /// Test if a (constant) integer Int can be casted to another integer type 10217 /// IntTy without losing precision. 10218 static bool canConvertIntToOtherIntTy(Sema &S, ExprResult *Int, 10219 QualType OtherIntTy) { 10220 QualType IntTy = Int->get()->getType().getUnqualifiedType(); 10221 10222 // Reject cases where the value of the Int is unknown as that would 10223 // possibly cause truncation, but accept cases where the scalar can be 10224 // demoted without loss of precision. 10225 Expr::EvalResult EVResult; 10226 bool CstInt = Int->get()->EvaluateAsInt(EVResult, S.Context); 10227 int Order = S.Context.getIntegerTypeOrder(OtherIntTy, IntTy); 10228 bool IntSigned = IntTy->hasSignedIntegerRepresentation(); 10229 bool OtherIntSigned = OtherIntTy->hasSignedIntegerRepresentation(); 10230 10231 if (CstInt) { 10232 // If the scalar is constant and is of a higher order and has more active 10233 // bits that the vector element type, reject it. 10234 llvm::APSInt Result = EVResult.Val.getInt(); 10235 unsigned NumBits = IntSigned 10236 ? (Result.isNegative() ? Result.getMinSignedBits() 10237 : Result.getActiveBits()) 10238 : Result.getActiveBits(); 10239 if (Order < 0 && S.Context.getIntWidth(OtherIntTy) < NumBits) 10240 return true; 10241 10242 // If the signedness of the scalar type and the vector element type 10243 // differs and the number of bits is greater than that of the vector 10244 // element reject it. 10245 return (IntSigned != OtherIntSigned && 10246 NumBits > S.Context.getIntWidth(OtherIntTy)); 10247 } 10248 10249 // Reject cases where the value of the scalar is not constant and it's 10250 // order is greater than that of the vector element type. 10251 return (Order < 0); 10252 } 10253 10254 /// Test if a (constant) integer Int can be casted to floating point type 10255 /// FloatTy without losing precision. 10256 static bool canConvertIntTyToFloatTy(Sema &S, ExprResult *Int, 10257 QualType FloatTy) { 10258 QualType IntTy = Int->get()->getType().getUnqualifiedType(); 10259 10260 // Determine if the integer constant can be expressed as a floating point 10261 // number of the appropriate type. 10262 Expr::EvalResult EVResult; 10263 bool CstInt = Int->get()->EvaluateAsInt(EVResult, S.Context); 10264 10265 uint64_t Bits = 0; 10266 if (CstInt) { 10267 // Reject constants that would be truncated if they were converted to 10268 // the floating point type. Test by simple to/from conversion. 10269 // FIXME: Ideally the conversion to an APFloat and from an APFloat 10270 // could be avoided if there was a convertFromAPInt method 10271 // which could signal back if implicit truncation occurred. 10272 llvm::APSInt Result = EVResult.Val.getInt(); 10273 llvm::APFloat Float(S.Context.getFloatTypeSemantics(FloatTy)); 10274 Float.convertFromAPInt(Result, IntTy->hasSignedIntegerRepresentation(), 10275 llvm::APFloat::rmTowardZero); 10276 llvm::APSInt ConvertBack(S.Context.getIntWidth(IntTy), 10277 !IntTy->hasSignedIntegerRepresentation()); 10278 bool Ignored = false; 10279 Float.convertToInteger(ConvertBack, llvm::APFloat::rmNearestTiesToEven, 10280 &Ignored); 10281 if (Result != ConvertBack) 10282 return true; 10283 } else { 10284 // Reject types that cannot be fully encoded into the mantissa of 10285 // the float. 10286 Bits = S.Context.getTypeSize(IntTy); 10287 unsigned FloatPrec = llvm::APFloat::semanticsPrecision( 10288 S.Context.getFloatTypeSemantics(FloatTy)); 10289 if (Bits > FloatPrec) 10290 return true; 10291 } 10292 10293 return false; 10294 } 10295 10296 /// Attempt to convert and splat Scalar into a vector whose types matches 10297 /// Vector following GCC conversion rules. The rule is that implicit 10298 /// conversion can occur when Scalar can be casted to match Vector's element 10299 /// type without causing truncation of Scalar. 10300 static bool tryGCCVectorConvertAndSplat(Sema &S, ExprResult *Scalar, 10301 ExprResult *Vector) { 10302 QualType ScalarTy = Scalar->get()->getType().getUnqualifiedType(); 10303 QualType VectorTy = Vector->get()->getType().getUnqualifiedType(); 10304 QualType VectorEltTy; 10305 10306 if (const auto *VT = VectorTy->getAs<VectorType>()) { 10307 assert(!isa<ExtVectorType>(VT) && 10308 "ExtVectorTypes should not be handled here!"); 10309 VectorEltTy = VT->getElementType(); 10310 } else if (VectorTy->isVLSTBuiltinType()) { 10311 VectorEltTy = 10312 VectorTy->castAs<BuiltinType>()->getSveEltType(S.getASTContext()); 10313 } else { 10314 llvm_unreachable("Only Fixed-Length and SVE Vector types are handled here"); 10315 } 10316 10317 // Reject cases where the vector element type or the scalar element type are 10318 // not integral or floating point types. 10319 if (!VectorEltTy->isArithmeticType() || !ScalarTy->isArithmeticType()) 10320 return true; 10321 10322 // The conversion to apply to the scalar before splatting it, 10323 // if necessary. 10324 CastKind ScalarCast = CK_NoOp; 10325 10326 // Accept cases where the vector elements are integers and the scalar is 10327 // an integer. 10328 // FIXME: Notionally if the scalar was a floating point value with a precise 10329 // integral representation, we could cast it to an appropriate integer 10330 // type and then perform the rest of the checks here. GCC will perform 10331 // this conversion in some cases as determined by the input language. 10332 // We should accept it on a language independent basis. 10333 if (VectorEltTy->isIntegralType(S.Context) && 10334 ScalarTy->isIntegralType(S.Context) && 10335 S.Context.getIntegerTypeOrder(VectorEltTy, ScalarTy)) { 10336 10337 if (canConvertIntToOtherIntTy(S, Scalar, VectorEltTy)) 10338 return true; 10339 10340 ScalarCast = CK_IntegralCast; 10341 } else if (VectorEltTy->isIntegralType(S.Context) && 10342 ScalarTy->isRealFloatingType()) { 10343 if (S.Context.getTypeSize(VectorEltTy) == S.Context.getTypeSize(ScalarTy)) 10344 ScalarCast = CK_FloatingToIntegral; 10345 else 10346 return true; 10347 } else if (VectorEltTy->isRealFloatingType()) { 10348 if (ScalarTy->isRealFloatingType()) { 10349 10350 // Reject cases where the scalar type is not a constant and has a higher 10351 // Order than the vector element type. 10352 llvm::APFloat Result(0.0); 10353 10354 // Determine whether this is a constant scalar. In the event that the 10355 // value is dependent (and thus cannot be evaluated by the constant 10356 // evaluator), skip the evaluation. This will then diagnose once the 10357 // expression is instantiated. 10358 bool CstScalar = Scalar->get()->isValueDependent() || 10359 Scalar->get()->EvaluateAsFloat(Result, S.Context); 10360 int Order = S.Context.getFloatingTypeOrder(VectorEltTy, ScalarTy); 10361 if (!CstScalar && Order < 0) 10362 return true; 10363 10364 // If the scalar cannot be safely casted to the vector element type, 10365 // reject it. 10366 if (CstScalar) { 10367 bool Truncated = false; 10368 Result.convert(S.Context.getFloatTypeSemantics(VectorEltTy), 10369 llvm::APFloat::rmNearestTiesToEven, &Truncated); 10370 if (Truncated) 10371 return true; 10372 } 10373 10374 ScalarCast = CK_FloatingCast; 10375 } else if (ScalarTy->isIntegralType(S.Context)) { 10376 if (canConvertIntTyToFloatTy(S, Scalar, VectorEltTy)) 10377 return true; 10378 10379 ScalarCast = CK_IntegralToFloating; 10380 } else 10381 return true; 10382 } else if (ScalarTy->isEnumeralType()) 10383 return true; 10384 10385 // Adjust scalar if desired. 10386 if (Scalar) { 10387 if (ScalarCast != CK_NoOp) 10388 *Scalar = S.ImpCastExprToType(Scalar->get(), VectorEltTy, ScalarCast); 10389 *Scalar = S.ImpCastExprToType(Scalar->get(), VectorTy, CK_VectorSplat); 10390 } 10391 return false; 10392 } 10393 10394 QualType Sema::CheckVectorOperands(ExprResult &LHS, ExprResult &RHS, 10395 SourceLocation Loc, bool IsCompAssign, 10396 bool AllowBothBool, 10397 bool AllowBoolConversions, 10398 bool AllowBoolOperation, 10399 bool ReportInvalid) { 10400 if (!IsCompAssign) { 10401 LHS = DefaultFunctionArrayLvalueConversion(LHS.get()); 10402 if (LHS.isInvalid()) 10403 return QualType(); 10404 } 10405 RHS = DefaultFunctionArrayLvalueConversion(RHS.get()); 10406 if (RHS.isInvalid()) 10407 return QualType(); 10408 10409 // For conversion purposes, we ignore any qualifiers. 10410 // For example, "const float" and "float" are equivalent. 10411 QualType LHSType = LHS.get()->getType().getUnqualifiedType(); 10412 QualType RHSType = RHS.get()->getType().getUnqualifiedType(); 10413 10414 const VectorType *LHSVecType = LHSType->getAs<VectorType>(); 10415 const VectorType *RHSVecType = RHSType->getAs<VectorType>(); 10416 assert(LHSVecType || RHSVecType); 10417 10418 if ((LHSVecType && LHSVecType->getElementType()->isBFloat16Type()) || 10419 (RHSVecType && RHSVecType->getElementType()->isBFloat16Type())) 10420 return ReportInvalid ? InvalidOperands(Loc, LHS, RHS) : QualType(); 10421 10422 // AltiVec-style "vector bool op vector bool" combinations are allowed 10423 // for some operators but not others. 10424 if (!AllowBothBool && 10425 LHSVecType && LHSVecType->getVectorKind() == VectorType::AltiVecBool && 10426 RHSVecType && RHSVecType->getVectorKind() == VectorType::AltiVecBool) 10427 return ReportInvalid ? InvalidOperands(Loc, LHS, RHS) : QualType(); 10428 10429 // This operation may not be performed on boolean vectors. 10430 if (!AllowBoolOperation && 10431 (LHSType->isExtVectorBoolType() || RHSType->isExtVectorBoolType())) 10432 return ReportInvalid ? InvalidOperands(Loc, LHS, RHS) : QualType(); 10433 10434 // If the vector types are identical, return. 10435 if (Context.hasSameType(LHSType, RHSType)) 10436 return LHSType; 10437 10438 // If we have compatible AltiVec and GCC vector types, use the AltiVec type. 10439 if (LHSVecType && RHSVecType && 10440 Context.areCompatibleVectorTypes(LHSType, RHSType)) { 10441 if (isa<ExtVectorType>(LHSVecType)) { 10442 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast); 10443 return LHSType; 10444 } 10445 10446 if (!IsCompAssign) 10447 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_BitCast); 10448 return RHSType; 10449 } 10450 10451 // AllowBoolConversions says that bool and non-bool AltiVec vectors 10452 // can be mixed, with the result being the non-bool type. The non-bool 10453 // operand must have integer element type. 10454 if (AllowBoolConversions && LHSVecType && RHSVecType && 10455 LHSVecType->getNumElements() == RHSVecType->getNumElements() && 10456 (Context.getTypeSize(LHSVecType->getElementType()) == 10457 Context.getTypeSize(RHSVecType->getElementType()))) { 10458 if (LHSVecType->getVectorKind() == VectorType::AltiVecVector && 10459 LHSVecType->getElementType()->isIntegerType() && 10460 RHSVecType->getVectorKind() == VectorType::AltiVecBool) { 10461 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast); 10462 return LHSType; 10463 } 10464 if (!IsCompAssign && 10465 LHSVecType->getVectorKind() == VectorType::AltiVecBool && 10466 RHSVecType->getVectorKind() == VectorType::AltiVecVector && 10467 RHSVecType->getElementType()->isIntegerType()) { 10468 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_BitCast); 10469 return RHSType; 10470 } 10471 } 10472 10473 // Expressions containing fixed-length and sizeless SVE vectors are invalid 10474 // since the ambiguity can affect the ABI. 10475 auto IsSveConversion = [](QualType FirstType, QualType SecondType) { 10476 const VectorType *VecType = SecondType->getAs<VectorType>(); 10477 return FirstType->isSizelessBuiltinType() && VecType && 10478 (VecType->getVectorKind() == VectorType::SveFixedLengthDataVector || 10479 VecType->getVectorKind() == 10480 VectorType::SveFixedLengthPredicateVector); 10481 }; 10482 10483 if (IsSveConversion(LHSType, RHSType) || IsSveConversion(RHSType, LHSType)) { 10484 Diag(Loc, diag::err_typecheck_sve_ambiguous) << LHSType << RHSType; 10485 return QualType(); 10486 } 10487 10488 // Expressions containing GNU and SVE (fixed or sizeless) vectors are invalid 10489 // since the ambiguity can affect the ABI. 10490 auto IsSveGnuConversion = [](QualType FirstType, QualType SecondType) { 10491 const VectorType *FirstVecType = FirstType->getAs<VectorType>(); 10492 const VectorType *SecondVecType = SecondType->getAs<VectorType>(); 10493 10494 if (FirstVecType && SecondVecType) 10495 return FirstVecType->getVectorKind() == VectorType::GenericVector && 10496 (SecondVecType->getVectorKind() == 10497 VectorType::SveFixedLengthDataVector || 10498 SecondVecType->getVectorKind() == 10499 VectorType::SveFixedLengthPredicateVector); 10500 10501 return FirstType->isSizelessBuiltinType() && SecondVecType && 10502 SecondVecType->getVectorKind() == VectorType::GenericVector; 10503 }; 10504 10505 if (IsSveGnuConversion(LHSType, RHSType) || 10506 IsSveGnuConversion(RHSType, LHSType)) { 10507 Diag(Loc, diag::err_typecheck_sve_gnu_ambiguous) << LHSType << RHSType; 10508 return QualType(); 10509 } 10510 10511 // If there's a vector type and a scalar, try to convert the scalar to 10512 // the vector element type and splat. 10513 unsigned DiagID = diag::err_typecheck_vector_not_convertable; 10514 if (!RHSVecType) { 10515 if (isa<ExtVectorType>(LHSVecType)) { 10516 if (!tryVectorConvertAndSplat(*this, &RHS, RHSType, 10517 LHSVecType->getElementType(), LHSType, 10518 DiagID)) 10519 return LHSType; 10520 } else { 10521 if (!tryGCCVectorConvertAndSplat(*this, &RHS, &LHS)) 10522 return LHSType; 10523 } 10524 } 10525 if (!LHSVecType) { 10526 if (isa<ExtVectorType>(RHSVecType)) { 10527 if (!tryVectorConvertAndSplat(*this, (IsCompAssign ? nullptr : &LHS), 10528 LHSType, RHSVecType->getElementType(), 10529 RHSType, DiagID)) 10530 return RHSType; 10531 } else { 10532 if (LHS.get()->isLValue() || 10533 !tryGCCVectorConvertAndSplat(*this, &LHS, &RHS)) 10534 return RHSType; 10535 } 10536 } 10537 10538 // FIXME: The code below also handles conversion between vectors and 10539 // non-scalars, we should break this down into fine grained specific checks 10540 // and emit proper diagnostics. 10541 QualType VecType = LHSVecType ? LHSType : RHSType; 10542 const VectorType *VT = LHSVecType ? LHSVecType : RHSVecType; 10543 QualType OtherType = LHSVecType ? RHSType : LHSType; 10544 ExprResult *OtherExpr = LHSVecType ? &RHS : &LHS; 10545 if (isLaxVectorConversion(OtherType, VecType)) { 10546 if (anyAltivecTypes(RHSType, LHSType) && 10547 !areSameVectorElemTypes(RHSType, LHSType)) 10548 Diag(Loc, diag::warn_deprecated_lax_vec_conv_all) << RHSType << LHSType; 10549 // If we're allowing lax vector conversions, only the total (data) size 10550 // needs to be the same. For non compound assignment, if one of the types is 10551 // scalar, the result is always the vector type. 10552 if (!IsCompAssign) { 10553 *OtherExpr = ImpCastExprToType(OtherExpr->get(), VecType, CK_BitCast); 10554 return VecType; 10555 // In a compound assignment, lhs += rhs, 'lhs' is a lvalue src, forbidding 10556 // any implicit cast. Here, the 'rhs' should be implicit casted to 'lhs' 10557 // type. Note that this is already done by non-compound assignments in 10558 // CheckAssignmentConstraints. If it's a scalar type, only bitcast for 10559 // <1 x T> -> T. The result is also a vector type. 10560 } else if (OtherType->isExtVectorType() || OtherType->isVectorType() || 10561 (OtherType->isScalarType() && VT->getNumElements() == 1)) { 10562 ExprResult *RHSExpr = &RHS; 10563 *RHSExpr = ImpCastExprToType(RHSExpr->get(), LHSType, CK_BitCast); 10564 return VecType; 10565 } 10566 } 10567 10568 // Okay, the expression is invalid. 10569 10570 // If there's a non-vector, non-real operand, diagnose that. 10571 if ((!RHSVecType && !RHSType->isRealType()) || 10572 (!LHSVecType && !LHSType->isRealType())) { 10573 Diag(Loc, diag::err_typecheck_vector_not_convertable_non_scalar) 10574 << LHSType << RHSType 10575 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 10576 return QualType(); 10577 } 10578 10579 // OpenCL V1.1 6.2.6.p1: 10580 // If the operands are of more than one vector type, then an error shall 10581 // occur. Implicit conversions between vector types are not permitted, per 10582 // section 6.2.1. 10583 if (getLangOpts().OpenCL && 10584 RHSVecType && isa<ExtVectorType>(RHSVecType) && 10585 LHSVecType && isa<ExtVectorType>(LHSVecType)) { 10586 Diag(Loc, diag::err_opencl_implicit_vector_conversion) << LHSType 10587 << RHSType; 10588 return QualType(); 10589 } 10590 10591 10592 // If there is a vector type that is not a ExtVector and a scalar, we reach 10593 // this point if scalar could not be converted to the vector's element type 10594 // without truncation. 10595 if ((RHSVecType && !isa<ExtVectorType>(RHSVecType)) || 10596 (LHSVecType && !isa<ExtVectorType>(LHSVecType))) { 10597 QualType Scalar = LHSVecType ? RHSType : LHSType; 10598 QualType Vector = LHSVecType ? LHSType : RHSType; 10599 unsigned ScalarOrVector = LHSVecType && RHSVecType ? 1 : 0; 10600 Diag(Loc, 10601 diag::err_typecheck_vector_not_convertable_implict_truncation) 10602 << ScalarOrVector << Scalar << Vector; 10603 10604 return QualType(); 10605 } 10606 10607 // Otherwise, use the generic diagnostic. 10608 Diag(Loc, DiagID) 10609 << LHSType << RHSType 10610 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 10611 return QualType(); 10612 } 10613 10614 QualType Sema::CheckSizelessVectorOperands(ExprResult &LHS, ExprResult &RHS, 10615 SourceLocation Loc, 10616 bool IsCompAssign, 10617 ArithConvKind OperationKind) { 10618 if (!IsCompAssign) { 10619 LHS = DefaultFunctionArrayLvalueConversion(LHS.get()); 10620 if (LHS.isInvalid()) 10621 return QualType(); 10622 } 10623 RHS = DefaultFunctionArrayLvalueConversion(RHS.get()); 10624 if (RHS.isInvalid()) 10625 return QualType(); 10626 10627 QualType LHSType = LHS.get()->getType().getUnqualifiedType(); 10628 QualType RHSType = RHS.get()->getType().getUnqualifiedType(); 10629 10630 const BuiltinType *LHSBuiltinTy = LHSType->getAs<BuiltinType>(); 10631 const BuiltinType *RHSBuiltinTy = RHSType->getAs<BuiltinType>(); 10632 10633 unsigned DiagID = diag::err_typecheck_invalid_operands; 10634 if ((OperationKind == ACK_Arithmetic) && 10635 ((LHSBuiltinTy && LHSBuiltinTy->isSVEBool()) || 10636 (RHSBuiltinTy && RHSBuiltinTy->isSVEBool()))) { 10637 Diag(Loc, DiagID) << LHSType << RHSType << LHS.get()->getSourceRange() 10638 << RHS.get()->getSourceRange(); 10639 return QualType(); 10640 } 10641 10642 if (Context.hasSameType(LHSType, RHSType)) 10643 return LHSType; 10644 10645 if (LHSType->isVLSTBuiltinType() && !RHSType->isVLSTBuiltinType()) { 10646 if (!tryGCCVectorConvertAndSplat(*this, &RHS, &LHS)) 10647 return LHSType; 10648 } 10649 if (RHSType->isVLSTBuiltinType() && !LHSType->isVLSTBuiltinType()) { 10650 if (LHS.get()->isLValue() || 10651 !tryGCCVectorConvertAndSplat(*this, &LHS, &RHS)) 10652 return RHSType; 10653 } 10654 10655 if ((!LHSType->isVLSTBuiltinType() && !LHSType->isRealType()) || 10656 (!RHSType->isVLSTBuiltinType() && !RHSType->isRealType())) { 10657 Diag(Loc, diag::err_typecheck_vector_not_convertable_non_scalar) 10658 << LHSType << RHSType << LHS.get()->getSourceRange() 10659 << RHS.get()->getSourceRange(); 10660 return QualType(); 10661 } 10662 10663 if (LHSType->isVLSTBuiltinType() && RHSType->isVLSTBuiltinType() && 10664 Context.getBuiltinVectorTypeInfo(LHSBuiltinTy).EC != 10665 Context.getBuiltinVectorTypeInfo(RHSBuiltinTy).EC) { 10666 Diag(Loc, diag::err_typecheck_vector_lengths_not_equal) 10667 << LHSType << RHSType << LHS.get()->getSourceRange() 10668 << RHS.get()->getSourceRange(); 10669 return QualType(); 10670 } 10671 10672 if (LHSType->isVLSTBuiltinType() || RHSType->isVLSTBuiltinType()) { 10673 QualType Scalar = LHSType->isVLSTBuiltinType() ? RHSType : LHSType; 10674 QualType Vector = LHSType->isVLSTBuiltinType() ? LHSType : RHSType; 10675 bool ScalarOrVector = 10676 LHSType->isVLSTBuiltinType() && RHSType->isVLSTBuiltinType(); 10677 10678 Diag(Loc, diag::err_typecheck_vector_not_convertable_implict_truncation) 10679 << ScalarOrVector << Scalar << Vector; 10680 10681 return QualType(); 10682 } 10683 10684 Diag(Loc, DiagID) << LHSType << RHSType << LHS.get()->getSourceRange() 10685 << RHS.get()->getSourceRange(); 10686 return QualType(); 10687 } 10688 10689 // checkArithmeticNull - Detect when a NULL constant is used improperly in an 10690 // expression. These are mainly cases where the null pointer is used as an 10691 // integer instead of a pointer. 10692 static void checkArithmeticNull(Sema &S, ExprResult &LHS, ExprResult &RHS, 10693 SourceLocation Loc, bool IsCompare) { 10694 // The canonical way to check for a GNU null is with isNullPointerConstant, 10695 // but we use a bit of a hack here for speed; this is a relatively 10696 // hot path, and isNullPointerConstant is slow. 10697 bool LHSNull = isa<GNUNullExpr>(LHS.get()->IgnoreParenImpCasts()); 10698 bool RHSNull = isa<GNUNullExpr>(RHS.get()->IgnoreParenImpCasts()); 10699 10700 QualType NonNullType = LHSNull ? RHS.get()->getType() : LHS.get()->getType(); 10701 10702 // Avoid analyzing cases where the result will either be invalid (and 10703 // diagnosed as such) or entirely valid and not something to warn about. 10704 if ((!LHSNull && !RHSNull) || NonNullType->isBlockPointerType() || 10705 NonNullType->isMemberPointerType() || NonNullType->isFunctionType()) 10706 return; 10707 10708 // Comparison operations would not make sense with a null pointer no matter 10709 // what the other expression is. 10710 if (!IsCompare) { 10711 S.Diag(Loc, diag::warn_null_in_arithmetic_operation) 10712 << (LHSNull ? LHS.get()->getSourceRange() : SourceRange()) 10713 << (RHSNull ? RHS.get()->getSourceRange() : SourceRange()); 10714 return; 10715 } 10716 10717 // The rest of the operations only make sense with a null pointer 10718 // if the other expression is a pointer. 10719 if (LHSNull == RHSNull || NonNullType->isAnyPointerType() || 10720 NonNullType->canDecayToPointerType()) 10721 return; 10722 10723 S.Diag(Loc, diag::warn_null_in_comparison_operation) 10724 << LHSNull /* LHS is NULL */ << NonNullType 10725 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 10726 } 10727 10728 static void DiagnoseDivisionSizeofPointerOrArray(Sema &S, Expr *LHS, Expr *RHS, 10729 SourceLocation Loc) { 10730 const auto *LUE = dyn_cast<UnaryExprOrTypeTraitExpr>(LHS); 10731 const auto *RUE = dyn_cast<UnaryExprOrTypeTraitExpr>(RHS); 10732 if (!LUE || !RUE) 10733 return; 10734 if (LUE->getKind() != UETT_SizeOf || LUE->isArgumentType() || 10735 RUE->getKind() != UETT_SizeOf) 10736 return; 10737 10738 const Expr *LHSArg = LUE->getArgumentExpr()->IgnoreParens(); 10739 QualType LHSTy = LHSArg->getType(); 10740 QualType RHSTy; 10741 10742 if (RUE->isArgumentType()) 10743 RHSTy = RUE->getArgumentType().getNonReferenceType(); 10744 else 10745 RHSTy = RUE->getArgumentExpr()->IgnoreParens()->getType(); 10746 10747 if (LHSTy->isPointerType() && !RHSTy->isPointerType()) { 10748 if (!S.Context.hasSameUnqualifiedType(LHSTy->getPointeeType(), RHSTy)) 10749 return; 10750 10751 S.Diag(Loc, diag::warn_division_sizeof_ptr) << LHS << LHS->getSourceRange(); 10752 if (const auto *DRE = dyn_cast<DeclRefExpr>(LHSArg)) { 10753 if (const ValueDecl *LHSArgDecl = DRE->getDecl()) 10754 S.Diag(LHSArgDecl->getLocation(), diag::note_pointer_declared_here) 10755 << LHSArgDecl; 10756 } 10757 } else if (const auto *ArrayTy = S.Context.getAsArrayType(LHSTy)) { 10758 QualType ArrayElemTy = ArrayTy->getElementType(); 10759 if (ArrayElemTy != S.Context.getBaseElementType(ArrayTy) || 10760 ArrayElemTy->isDependentType() || RHSTy->isDependentType() || 10761 RHSTy->isReferenceType() || ArrayElemTy->isCharType() || 10762 S.Context.getTypeSize(ArrayElemTy) == S.Context.getTypeSize(RHSTy)) 10763 return; 10764 S.Diag(Loc, diag::warn_division_sizeof_array) 10765 << LHSArg->getSourceRange() << ArrayElemTy << RHSTy; 10766 if (const auto *DRE = dyn_cast<DeclRefExpr>(LHSArg)) { 10767 if (const ValueDecl *LHSArgDecl = DRE->getDecl()) 10768 S.Diag(LHSArgDecl->getLocation(), diag::note_array_declared_here) 10769 << LHSArgDecl; 10770 } 10771 10772 S.Diag(Loc, diag::note_precedence_silence) << RHS; 10773 } 10774 } 10775 10776 static void DiagnoseBadDivideOrRemainderValues(Sema& S, ExprResult &LHS, 10777 ExprResult &RHS, 10778 SourceLocation Loc, bool IsDiv) { 10779 // Check for division/remainder by zero. 10780 Expr::EvalResult RHSValue; 10781 if (!RHS.get()->isValueDependent() && 10782 RHS.get()->EvaluateAsInt(RHSValue, S.Context) && 10783 RHSValue.Val.getInt() == 0) 10784 S.DiagRuntimeBehavior(Loc, RHS.get(), 10785 S.PDiag(diag::warn_remainder_division_by_zero) 10786 << IsDiv << RHS.get()->getSourceRange()); 10787 } 10788 10789 QualType Sema::CheckMultiplyDivideOperands(ExprResult &LHS, ExprResult &RHS, 10790 SourceLocation Loc, 10791 bool IsCompAssign, bool IsDiv) { 10792 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 10793 10794 QualType LHSTy = LHS.get()->getType(); 10795 QualType RHSTy = RHS.get()->getType(); 10796 if (LHSTy->isVectorType() || RHSTy->isVectorType()) 10797 return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign, 10798 /*AllowBothBool*/ getLangOpts().AltiVec, 10799 /*AllowBoolConversions*/ false, 10800 /*AllowBooleanOperation*/ false, 10801 /*ReportInvalid*/ true); 10802 if (LHSTy->isVLSTBuiltinType() || RHSTy->isVLSTBuiltinType()) 10803 return CheckSizelessVectorOperands(LHS, RHS, Loc, IsCompAssign, 10804 ACK_Arithmetic); 10805 if (!IsDiv && 10806 (LHSTy->isConstantMatrixType() || RHSTy->isConstantMatrixType())) 10807 return CheckMatrixMultiplyOperands(LHS, RHS, Loc, IsCompAssign); 10808 // For division, only matrix-by-scalar is supported. Other combinations with 10809 // matrix types are invalid. 10810 if (IsDiv && LHSTy->isConstantMatrixType() && RHSTy->isArithmeticType()) 10811 return CheckMatrixElementwiseOperands(LHS, RHS, Loc, IsCompAssign); 10812 10813 QualType compType = UsualArithmeticConversions( 10814 LHS, RHS, Loc, IsCompAssign ? ACK_CompAssign : ACK_Arithmetic); 10815 if (LHS.isInvalid() || RHS.isInvalid()) 10816 return QualType(); 10817 10818 10819 if (compType.isNull() || !compType->isArithmeticType()) 10820 return InvalidOperands(Loc, LHS, RHS); 10821 if (IsDiv) { 10822 DiagnoseBadDivideOrRemainderValues(*this, LHS, RHS, Loc, IsDiv); 10823 DiagnoseDivisionSizeofPointerOrArray(*this, LHS.get(), RHS.get(), Loc); 10824 } 10825 return compType; 10826 } 10827 10828 QualType Sema::CheckRemainderOperands( 10829 ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, bool IsCompAssign) { 10830 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 10831 10832 if (LHS.get()->getType()->isVectorType() || 10833 RHS.get()->getType()->isVectorType()) { 10834 if (LHS.get()->getType()->hasIntegerRepresentation() && 10835 RHS.get()->getType()->hasIntegerRepresentation()) 10836 return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign, 10837 /*AllowBothBool*/ getLangOpts().AltiVec, 10838 /*AllowBoolConversions*/ false, 10839 /*AllowBooleanOperation*/ false, 10840 /*ReportInvalid*/ true); 10841 return InvalidOperands(Loc, LHS, RHS); 10842 } 10843 10844 if (LHS.get()->getType()->isVLSTBuiltinType() || 10845 RHS.get()->getType()->isVLSTBuiltinType()) { 10846 if (LHS.get()->getType()->hasIntegerRepresentation() && 10847 RHS.get()->getType()->hasIntegerRepresentation()) 10848 return CheckSizelessVectorOperands(LHS, RHS, Loc, IsCompAssign, 10849 ACK_Arithmetic); 10850 10851 return InvalidOperands(Loc, LHS, RHS); 10852 } 10853 10854 QualType compType = UsualArithmeticConversions( 10855 LHS, RHS, Loc, IsCompAssign ? ACK_CompAssign : ACK_Arithmetic); 10856 if (LHS.isInvalid() || RHS.isInvalid()) 10857 return QualType(); 10858 10859 if (compType.isNull() || !compType->isIntegerType()) 10860 return InvalidOperands(Loc, LHS, RHS); 10861 DiagnoseBadDivideOrRemainderValues(*this, LHS, RHS, Loc, false /* IsDiv */); 10862 return compType; 10863 } 10864 10865 /// Diagnose invalid arithmetic on two void pointers. 10866 static void diagnoseArithmeticOnTwoVoidPointers(Sema &S, SourceLocation Loc, 10867 Expr *LHSExpr, Expr *RHSExpr) { 10868 S.Diag(Loc, S.getLangOpts().CPlusPlus 10869 ? diag::err_typecheck_pointer_arith_void_type 10870 : diag::ext_gnu_void_ptr) 10871 << 1 /* two pointers */ << LHSExpr->getSourceRange() 10872 << RHSExpr->getSourceRange(); 10873 } 10874 10875 /// Diagnose invalid arithmetic on a void pointer. 10876 static void diagnoseArithmeticOnVoidPointer(Sema &S, SourceLocation Loc, 10877 Expr *Pointer) { 10878 S.Diag(Loc, S.getLangOpts().CPlusPlus 10879 ? diag::err_typecheck_pointer_arith_void_type 10880 : diag::ext_gnu_void_ptr) 10881 << 0 /* one pointer */ << Pointer->getSourceRange(); 10882 } 10883 10884 /// Diagnose invalid arithmetic on a null pointer. 10885 /// 10886 /// If \p IsGNUIdiom is true, the operation is using the 'p = (i8*)nullptr + n' 10887 /// idiom, which we recognize as a GNU extension. 10888 /// 10889 static void diagnoseArithmeticOnNullPointer(Sema &S, SourceLocation Loc, 10890 Expr *Pointer, bool IsGNUIdiom) { 10891 if (IsGNUIdiom) 10892 S.Diag(Loc, diag::warn_gnu_null_ptr_arith) 10893 << Pointer->getSourceRange(); 10894 else 10895 S.Diag(Loc, diag::warn_pointer_arith_null_ptr) 10896 << S.getLangOpts().CPlusPlus << Pointer->getSourceRange(); 10897 } 10898 10899 /// Diagnose invalid subraction on a null pointer. 10900 /// 10901 static void diagnoseSubtractionOnNullPointer(Sema &S, SourceLocation Loc, 10902 Expr *Pointer, bool BothNull) { 10903 // Null - null is valid in C++ [expr.add]p7 10904 if (BothNull && S.getLangOpts().CPlusPlus) 10905 return; 10906 10907 // Is this s a macro from a system header? 10908 if (S.Diags.getSuppressSystemWarnings() && S.SourceMgr.isInSystemMacro(Loc)) 10909 return; 10910 10911 S.DiagRuntimeBehavior(Loc, Pointer, 10912 S.PDiag(diag::warn_pointer_sub_null_ptr) 10913 << S.getLangOpts().CPlusPlus 10914 << Pointer->getSourceRange()); 10915 } 10916 10917 /// Diagnose invalid arithmetic on two function pointers. 10918 static void diagnoseArithmeticOnTwoFunctionPointers(Sema &S, SourceLocation Loc, 10919 Expr *LHS, Expr *RHS) { 10920 assert(LHS->getType()->isAnyPointerType()); 10921 assert(RHS->getType()->isAnyPointerType()); 10922 S.Diag(Loc, S.getLangOpts().CPlusPlus 10923 ? diag::err_typecheck_pointer_arith_function_type 10924 : diag::ext_gnu_ptr_func_arith) 10925 << 1 /* two pointers */ << LHS->getType()->getPointeeType() 10926 // We only show the second type if it differs from the first. 10927 << (unsigned)!S.Context.hasSameUnqualifiedType(LHS->getType(), 10928 RHS->getType()) 10929 << RHS->getType()->getPointeeType() 10930 << LHS->getSourceRange() << RHS->getSourceRange(); 10931 } 10932 10933 /// Diagnose invalid arithmetic on a function pointer. 10934 static void diagnoseArithmeticOnFunctionPointer(Sema &S, SourceLocation Loc, 10935 Expr *Pointer) { 10936 assert(Pointer->getType()->isAnyPointerType()); 10937 S.Diag(Loc, S.getLangOpts().CPlusPlus 10938 ? diag::err_typecheck_pointer_arith_function_type 10939 : diag::ext_gnu_ptr_func_arith) 10940 << 0 /* one pointer */ << Pointer->getType()->getPointeeType() 10941 << 0 /* one pointer, so only one type */ 10942 << Pointer->getSourceRange(); 10943 } 10944 10945 /// Emit error if Operand is incomplete pointer type 10946 /// 10947 /// \returns True if pointer has incomplete type 10948 static bool checkArithmeticIncompletePointerType(Sema &S, SourceLocation Loc, 10949 Expr *Operand) { 10950 QualType ResType = Operand->getType(); 10951 if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>()) 10952 ResType = ResAtomicType->getValueType(); 10953 10954 assert(ResType->isAnyPointerType() && !ResType->isDependentType()); 10955 QualType PointeeTy = ResType->getPointeeType(); 10956 return S.RequireCompleteSizedType( 10957 Loc, PointeeTy, 10958 diag::err_typecheck_arithmetic_incomplete_or_sizeless_type, 10959 Operand->getSourceRange()); 10960 } 10961 10962 /// Check the validity of an arithmetic pointer operand. 10963 /// 10964 /// If the operand has pointer type, this code will check for pointer types 10965 /// which are invalid in arithmetic operations. These will be diagnosed 10966 /// appropriately, including whether or not the use is supported as an 10967 /// extension. 10968 /// 10969 /// \returns True when the operand is valid to use (even if as an extension). 10970 static bool checkArithmeticOpPointerOperand(Sema &S, SourceLocation Loc, 10971 Expr *Operand) { 10972 QualType ResType = Operand->getType(); 10973 if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>()) 10974 ResType = ResAtomicType->getValueType(); 10975 10976 if (!ResType->isAnyPointerType()) return true; 10977 10978 QualType PointeeTy = ResType->getPointeeType(); 10979 if (PointeeTy->isVoidType()) { 10980 diagnoseArithmeticOnVoidPointer(S, Loc, Operand); 10981 return !S.getLangOpts().CPlusPlus; 10982 } 10983 if (PointeeTy->isFunctionType()) { 10984 diagnoseArithmeticOnFunctionPointer(S, Loc, Operand); 10985 return !S.getLangOpts().CPlusPlus; 10986 } 10987 10988 if (checkArithmeticIncompletePointerType(S, Loc, Operand)) return false; 10989 10990 return true; 10991 } 10992 10993 /// Check the validity of a binary arithmetic operation w.r.t. pointer 10994 /// operands. 10995 /// 10996 /// This routine will diagnose any invalid arithmetic on pointer operands much 10997 /// like \see checkArithmeticOpPointerOperand. However, it has special logic 10998 /// for emitting a single diagnostic even for operations where both LHS and RHS 10999 /// are (potentially problematic) pointers. 11000 /// 11001 /// \returns True when the operand is valid to use (even if as an extension). 11002 static bool checkArithmeticBinOpPointerOperands(Sema &S, SourceLocation Loc, 11003 Expr *LHSExpr, Expr *RHSExpr) { 11004 bool isLHSPointer = LHSExpr->getType()->isAnyPointerType(); 11005 bool isRHSPointer = RHSExpr->getType()->isAnyPointerType(); 11006 if (!isLHSPointer && !isRHSPointer) return true; 11007 11008 QualType LHSPointeeTy, RHSPointeeTy; 11009 if (isLHSPointer) LHSPointeeTy = LHSExpr->getType()->getPointeeType(); 11010 if (isRHSPointer) RHSPointeeTy = RHSExpr->getType()->getPointeeType(); 11011 11012 // if both are pointers check if operation is valid wrt address spaces 11013 if (isLHSPointer && isRHSPointer) { 11014 if (!LHSPointeeTy.isAddressSpaceOverlapping(RHSPointeeTy)) { 11015 S.Diag(Loc, 11016 diag::err_typecheck_op_on_nonoverlapping_address_space_pointers) 11017 << LHSExpr->getType() << RHSExpr->getType() << 1 /*arithmetic op*/ 11018 << LHSExpr->getSourceRange() << RHSExpr->getSourceRange(); 11019 return false; 11020 } 11021 } 11022 11023 // Check for arithmetic on pointers to incomplete types. 11024 bool isLHSVoidPtr = isLHSPointer && LHSPointeeTy->isVoidType(); 11025 bool isRHSVoidPtr = isRHSPointer && RHSPointeeTy->isVoidType(); 11026 if (isLHSVoidPtr || isRHSVoidPtr) { 11027 if (!isRHSVoidPtr) diagnoseArithmeticOnVoidPointer(S, Loc, LHSExpr); 11028 else if (!isLHSVoidPtr) diagnoseArithmeticOnVoidPointer(S, Loc, RHSExpr); 11029 else diagnoseArithmeticOnTwoVoidPointers(S, Loc, LHSExpr, RHSExpr); 11030 11031 return !S.getLangOpts().CPlusPlus; 11032 } 11033 11034 bool isLHSFuncPtr = isLHSPointer && LHSPointeeTy->isFunctionType(); 11035 bool isRHSFuncPtr = isRHSPointer && RHSPointeeTy->isFunctionType(); 11036 if (isLHSFuncPtr || isRHSFuncPtr) { 11037 if (!isRHSFuncPtr) diagnoseArithmeticOnFunctionPointer(S, Loc, LHSExpr); 11038 else if (!isLHSFuncPtr) diagnoseArithmeticOnFunctionPointer(S, Loc, 11039 RHSExpr); 11040 else diagnoseArithmeticOnTwoFunctionPointers(S, Loc, LHSExpr, RHSExpr); 11041 11042 return !S.getLangOpts().CPlusPlus; 11043 } 11044 11045 if (isLHSPointer && checkArithmeticIncompletePointerType(S, Loc, LHSExpr)) 11046 return false; 11047 if (isRHSPointer && checkArithmeticIncompletePointerType(S, Loc, RHSExpr)) 11048 return false; 11049 11050 return true; 11051 } 11052 11053 /// diagnoseStringPlusInt - Emit a warning when adding an integer to a string 11054 /// literal. 11055 static void diagnoseStringPlusInt(Sema &Self, SourceLocation OpLoc, 11056 Expr *LHSExpr, Expr *RHSExpr) { 11057 StringLiteral* StrExpr = dyn_cast<StringLiteral>(LHSExpr->IgnoreImpCasts()); 11058 Expr* IndexExpr = RHSExpr; 11059 if (!StrExpr) { 11060 StrExpr = dyn_cast<StringLiteral>(RHSExpr->IgnoreImpCasts()); 11061 IndexExpr = LHSExpr; 11062 } 11063 11064 bool IsStringPlusInt = StrExpr && 11065 IndexExpr->getType()->isIntegralOrUnscopedEnumerationType(); 11066 if (!IsStringPlusInt || IndexExpr->isValueDependent()) 11067 return; 11068 11069 SourceRange DiagRange(LHSExpr->getBeginLoc(), RHSExpr->getEndLoc()); 11070 Self.Diag(OpLoc, diag::warn_string_plus_int) 11071 << DiagRange << IndexExpr->IgnoreImpCasts()->getType(); 11072 11073 // Only print a fixit for "str" + int, not for int + "str". 11074 if (IndexExpr == RHSExpr) { 11075 SourceLocation EndLoc = Self.getLocForEndOfToken(RHSExpr->getEndLoc()); 11076 Self.Diag(OpLoc, diag::note_string_plus_scalar_silence) 11077 << FixItHint::CreateInsertion(LHSExpr->getBeginLoc(), "&") 11078 << FixItHint::CreateReplacement(SourceRange(OpLoc), "[") 11079 << FixItHint::CreateInsertion(EndLoc, "]"); 11080 } else 11081 Self.Diag(OpLoc, diag::note_string_plus_scalar_silence); 11082 } 11083 11084 /// Emit a warning when adding a char literal to a string. 11085 static void diagnoseStringPlusChar(Sema &Self, SourceLocation OpLoc, 11086 Expr *LHSExpr, Expr *RHSExpr) { 11087 const Expr *StringRefExpr = LHSExpr; 11088 const CharacterLiteral *CharExpr = 11089 dyn_cast<CharacterLiteral>(RHSExpr->IgnoreImpCasts()); 11090 11091 if (!CharExpr) { 11092 CharExpr = dyn_cast<CharacterLiteral>(LHSExpr->IgnoreImpCasts()); 11093 StringRefExpr = RHSExpr; 11094 } 11095 11096 if (!CharExpr || !StringRefExpr) 11097 return; 11098 11099 const QualType StringType = StringRefExpr->getType(); 11100 11101 // Return if not a PointerType. 11102 if (!StringType->isAnyPointerType()) 11103 return; 11104 11105 // Return if not a CharacterType. 11106 if (!StringType->getPointeeType()->isAnyCharacterType()) 11107 return; 11108 11109 ASTContext &Ctx = Self.getASTContext(); 11110 SourceRange DiagRange(LHSExpr->getBeginLoc(), RHSExpr->getEndLoc()); 11111 11112 const QualType CharType = CharExpr->getType(); 11113 if (!CharType->isAnyCharacterType() && 11114 CharType->isIntegerType() && 11115 llvm::isUIntN(Ctx.getCharWidth(), CharExpr->getValue())) { 11116 Self.Diag(OpLoc, diag::warn_string_plus_char) 11117 << DiagRange << Ctx.CharTy; 11118 } else { 11119 Self.Diag(OpLoc, diag::warn_string_plus_char) 11120 << DiagRange << CharExpr->getType(); 11121 } 11122 11123 // Only print a fixit for str + char, not for char + str. 11124 if (isa<CharacterLiteral>(RHSExpr->IgnoreImpCasts())) { 11125 SourceLocation EndLoc = Self.getLocForEndOfToken(RHSExpr->getEndLoc()); 11126 Self.Diag(OpLoc, diag::note_string_plus_scalar_silence) 11127 << FixItHint::CreateInsertion(LHSExpr->getBeginLoc(), "&") 11128 << FixItHint::CreateReplacement(SourceRange(OpLoc), "[") 11129 << FixItHint::CreateInsertion(EndLoc, "]"); 11130 } else { 11131 Self.Diag(OpLoc, diag::note_string_plus_scalar_silence); 11132 } 11133 } 11134 11135 /// Emit error when two pointers are incompatible. 11136 static void diagnosePointerIncompatibility(Sema &S, SourceLocation Loc, 11137 Expr *LHSExpr, Expr *RHSExpr) { 11138 assert(LHSExpr->getType()->isAnyPointerType()); 11139 assert(RHSExpr->getType()->isAnyPointerType()); 11140 S.Diag(Loc, diag::err_typecheck_sub_ptr_compatible) 11141 << LHSExpr->getType() << RHSExpr->getType() << LHSExpr->getSourceRange() 11142 << RHSExpr->getSourceRange(); 11143 } 11144 11145 // C99 6.5.6 11146 QualType Sema::CheckAdditionOperands(ExprResult &LHS, ExprResult &RHS, 11147 SourceLocation Loc, BinaryOperatorKind Opc, 11148 QualType* CompLHSTy) { 11149 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 11150 11151 if (LHS.get()->getType()->isVectorType() || 11152 RHS.get()->getType()->isVectorType()) { 11153 QualType compType = 11154 CheckVectorOperands(LHS, RHS, Loc, CompLHSTy, 11155 /*AllowBothBool*/ getLangOpts().AltiVec, 11156 /*AllowBoolConversions*/ getLangOpts().ZVector, 11157 /*AllowBooleanOperation*/ false, 11158 /*ReportInvalid*/ true); 11159 if (CompLHSTy) *CompLHSTy = compType; 11160 return compType; 11161 } 11162 11163 if (LHS.get()->getType()->isVLSTBuiltinType() || 11164 RHS.get()->getType()->isVLSTBuiltinType()) { 11165 QualType compType = 11166 CheckSizelessVectorOperands(LHS, RHS, Loc, CompLHSTy, ACK_Arithmetic); 11167 if (CompLHSTy) 11168 *CompLHSTy = compType; 11169 return compType; 11170 } 11171 11172 if (LHS.get()->getType()->isConstantMatrixType() || 11173 RHS.get()->getType()->isConstantMatrixType()) { 11174 QualType compType = 11175 CheckMatrixElementwiseOperands(LHS, RHS, Loc, CompLHSTy); 11176 if (CompLHSTy) 11177 *CompLHSTy = compType; 11178 return compType; 11179 } 11180 11181 QualType compType = UsualArithmeticConversions( 11182 LHS, RHS, Loc, CompLHSTy ? ACK_CompAssign : ACK_Arithmetic); 11183 if (LHS.isInvalid() || RHS.isInvalid()) 11184 return QualType(); 11185 11186 // Diagnose "string literal" '+' int and string '+' "char literal". 11187 if (Opc == BO_Add) { 11188 diagnoseStringPlusInt(*this, Loc, LHS.get(), RHS.get()); 11189 diagnoseStringPlusChar(*this, Loc, LHS.get(), RHS.get()); 11190 } 11191 11192 // handle the common case first (both operands are arithmetic). 11193 if (!compType.isNull() && compType->isArithmeticType()) { 11194 if (CompLHSTy) *CompLHSTy = compType; 11195 return compType; 11196 } 11197 11198 // Type-checking. Ultimately the pointer's going to be in PExp; 11199 // note that we bias towards the LHS being the pointer. 11200 Expr *PExp = LHS.get(), *IExp = RHS.get(); 11201 11202 bool isObjCPointer; 11203 if (PExp->getType()->isPointerType()) { 11204 isObjCPointer = false; 11205 } else if (PExp->getType()->isObjCObjectPointerType()) { 11206 isObjCPointer = true; 11207 } else { 11208 std::swap(PExp, IExp); 11209 if (PExp->getType()->isPointerType()) { 11210 isObjCPointer = false; 11211 } else if (PExp->getType()->isObjCObjectPointerType()) { 11212 isObjCPointer = true; 11213 } else { 11214 return InvalidOperands(Loc, LHS, RHS); 11215 } 11216 } 11217 assert(PExp->getType()->isAnyPointerType()); 11218 11219 if (!IExp->getType()->isIntegerType()) 11220 return InvalidOperands(Loc, LHS, RHS); 11221 11222 // Adding to a null pointer results in undefined behavior. 11223 if (PExp->IgnoreParenCasts()->isNullPointerConstant( 11224 Context, Expr::NPC_ValueDependentIsNotNull)) { 11225 // In C++ adding zero to a null pointer is defined. 11226 Expr::EvalResult KnownVal; 11227 if (!getLangOpts().CPlusPlus || 11228 (!IExp->isValueDependent() && 11229 (!IExp->EvaluateAsInt(KnownVal, Context) || 11230 KnownVal.Val.getInt() != 0))) { 11231 // Check the conditions to see if this is the 'p = nullptr + n' idiom. 11232 bool IsGNUIdiom = BinaryOperator::isNullPointerArithmeticExtension( 11233 Context, BO_Add, PExp, IExp); 11234 diagnoseArithmeticOnNullPointer(*this, Loc, PExp, IsGNUIdiom); 11235 } 11236 } 11237 11238 if (!checkArithmeticOpPointerOperand(*this, Loc, PExp)) 11239 return QualType(); 11240 11241 if (isObjCPointer && checkArithmeticOnObjCPointer(*this, Loc, PExp)) 11242 return QualType(); 11243 11244 // Check array bounds for pointer arithemtic 11245 CheckArrayAccess(PExp, IExp); 11246 11247 if (CompLHSTy) { 11248 QualType LHSTy = Context.isPromotableBitField(LHS.get()); 11249 if (LHSTy.isNull()) { 11250 LHSTy = LHS.get()->getType(); 11251 if (LHSTy->isPromotableIntegerType()) 11252 LHSTy = Context.getPromotedIntegerType(LHSTy); 11253 } 11254 *CompLHSTy = LHSTy; 11255 } 11256 11257 return PExp->getType(); 11258 } 11259 11260 // C99 6.5.6 11261 QualType Sema::CheckSubtractionOperands(ExprResult &LHS, ExprResult &RHS, 11262 SourceLocation Loc, 11263 QualType* CompLHSTy) { 11264 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 11265 11266 if (LHS.get()->getType()->isVectorType() || 11267 RHS.get()->getType()->isVectorType()) { 11268 QualType compType = 11269 CheckVectorOperands(LHS, RHS, Loc, CompLHSTy, 11270 /*AllowBothBool*/ getLangOpts().AltiVec, 11271 /*AllowBoolConversions*/ getLangOpts().ZVector, 11272 /*AllowBooleanOperation*/ false, 11273 /*ReportInvalid*/ true); 11274 if (CompLHSTy) *CompLHSTy = compType; 11275 return compType; 11276 } 11277 11278 if (LHS.get()->getType()->isVLSTBuiltinType() || 11279 RHS.get()->getType()->isVLSTBuiltinType()) { 11280 QualType compType = 11281 CheckSizelessVectorOperands(LHS, RHS, Loc, CompLHSTy, ACK_Arithmetic); 11282 if (CompLHSTy) 11283 *CompLHSTy = compType; 11284 return compType; 11285 } 11286 11287 if (LHS.get()->getType()->isConstantMatrixType() || 11288 RHS.get()->getType()->isConstantMatrixType()) { 11289 QualType compType = 11290 CheckMatrixElementwiseOperands(LHS, RHS, Loc, CompLHSTy); 11291 if (CompLHSTy) 11292 *CompLHSTy = compType; 11293 return compType; 11294 } 11295 11296 QualType compType = UsualArithmeticConversions( 11297 LHS, RHS, Loc, CompLHSTy ? ACK_CompAssign : ACK_Arithmetic); 11298 if (LHS.isInvalid() || RHS.isInvalid()) 11299 return QualType(); 11300 11301 // Enforce type constraints: C99 6.5.6p3. 11302 11303 // Handle the common case first (both operands are arithmetic). 11304 if (!compType.isNull() && compType->isArithmeticType()) { 11305 if (CompLHSTy) *CompLHSTy = compType; 11306 return compType; 11307 } 11308 11309 // Either ptr - int or ptr - ptr. 11310 if (LHS.get()->getType()->isAnyPointerType()) { 11311 QualType lpointee = LHS.get()->getType()->getPointeeType(); 11312 11313 // Diagnose bad cases where we step over interface counts. 11314 if (LHS.get()->getType()->isObjCObjectPointerType() && 11315 checkArithmeticOnObjCPointer(*this, Loc, LHS.get())) 11316 return QualType(); 11317 11318 // The result type of a pointer-int computation is the pointer type. 11319 if (RHS.get()->getType()->isIntegerType()) { 11320 // Subtracting from a null pointer should produce a warning. 11321 // The last argument to the diagnose call says this doesn't match the 11322 // GNU int-to-pointer idiom. 11323 if (LHS.get()->IgnoreParenCasts()->isNullPointerConstant(Context, 11324 Expr::NPC_ValueDependentIsNotNull)) { 11325 // In C++ adding zero to a null pointer is defined. 11326 Expr::EvalResult KnownVal; 11327 if (!getLangOpts().CPlusPlus || 11328 (!RHS.get()->isValueDependent() && 11329 (!RHS.get()->EvaluateAsInt(KnownVal, Context) || 11330 KnownVal.Val.getInt() != 0))) { 11331 diagnoseArithmeticOnNullPointer(*this, Loc, LHS.get(), false); 11332 } 11333 } 11334 11335 if (!checkArithmeticOpPointerOperand(*this, Loc, LHS.get())) 11336 return QualType(); 11337 11338 // Check array bounds for pointer arithemtic 11339 CheckArrayAccess(LHS.get(), RHS.get(), /*ArraySubscriptExpr*/nullptr, 11340 /*AllowOnePastEnd*/true, /*IndexNegated*/true); 11341 11342 if (CompLHSTy) *CompLHSTy = LHS.get()->getType(); 11343 return LHS.get()->getType(); 11344 } 11345 11346 // Handle pointer-pointer subtractions. 11347 if (const PointerType *RHSPTy 11348 = RHS.get()->getType()->getAs<PointerType>()) { 11349 QualType rpointee = RHSPTy->getPointeeType(); 11350 11351 if (getLangOpts().CPlusPlus) { 11352 // Pointee types must be the same: C++ [expr.add] 11353 if (!Context.hasSameUnqualifiedType(lpointee, rpointee)) { 11354 diagnosePointerIncompatibility(*this, Loc, LHS.get(), RHS.get()); 11355 } 11356 } else { 11357 // Pointee types must be compatible C99 6.5.6p3 11358 if (!Context.typesAreCompatible( 11359 Context.getCanonicalType(lpointee).getUnqualifiedType(), 11360 Context.getCanonicalType(rpointee).getUnqualifiedType())) { 11361 diagnosePointerIncompatibility(*this, Loc, LHS.get(), RHS.get()); 11362 return QualType(); 11363 } 11364 } 11365 11366 if (!checkArithmeticBinOpPointerOperands(*this, Loc, 11367 LHS.get(), RHS.get())) 11368 return QualType(); 11369 11370 bool LHSIsNullPtr = LHS.get()->IgnoreParenCasts()->isNullPointerConstant( 11371 Context, Expr::NPC_ValueDependentIsNotNull); 11372 bool RHSIsNullPtr = RHS.get()->IgnoreParenCasts()->isNullPointerConstant( 11373 Context, Expr::NPC_ValueDependentIsNotNull); 11374 11375 // Subtracting nullptr or from nullptr is suspect 11376 if (LHSIsNullPtr) 11377 diagnoseSubtractionOnNullPointer(*this, Loc, LHS.get(), RHSIsNullPtr); 11378 if (RHSIsNullPtr) 11379 diagnoseSubtractionOnNullPointer(*this, Loc, RHS.get(), LHSIsNullPtr); 11380 11381 // The pointee type may have zero size. As an extension, a structure or 11382 // union may have zero size or an array may have zero length. In this 11383 // case subtraction does not make sense. 11384 if (!rpointee->isVoidType() && !rpointee->isFunctionType()) { 11385 CharUnits ElementSize = Context.getTypeSizeInChars(rpointee); 11386 if (ElementSize.isZero()) { 11387 Diag(Loc,diag::warn_sub_ptr_zero_size_types) 11388 << rpointee.getUnqualifiedType() 11389 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11390 } 11391 } 11392 11393 if (CompLHSTy) *CompLHSTy = LHS.get()->getType(); 11394 return Context.getPointerDiffType(); 11395 } 11396 } 11397 11398 return InvalidOperands(Loc, LHS, RHS); 11399 } 11400 11401 static bool isScopedEnumerationType(QualType T) { 11402 if (const EnumType *ET = T->getAs<EnumType>()) 11403 return ET->getDecl()->isScoped(); 11404 return false; 11405 } 11406 11407 static void DiagnoseBadShiftValues(Sema& S, ExprResult &LHS, ExprResult &RHS, 11408 SourceLocation Loc, BinaryOperatorKind Opc, 11409 QualType LHSType) { 11410 // OpenCL 6.3j: shift values are effectively % word size of LHS (more defined), 11411 // so skip remaining warnings as we don't want to modify values within Sema. 11412 if (S.getLangOpts().OpenCL) 11413 return; 11414 11415 // Check right/shifter operand 11416 Expr::EvalResult RHSResult; 11417 if (RHS.get()->isValueDependent() || 11418 !RHS.get()->EvaluateAsInt(RHSResult, S.Context)) 11419 return; 11420 llvm::APSInt Right = RHSResult.Val.getInt(); 11421 11422 if (Right.isNegative()) { 11423 S.DiagRuntimeBehavior(Loc, RHS.get(), 11424 S.PDiag(diag::warn_shift_negative) 11425 << RHS.get()->getSourceRange()); 11426 return; 11427 } 11428 11429 QualType LHSExprType = LHS.get()->getType(); 11430 uint64_t LeftSize = S.Context.getTypeSize(LHSExprType); 11431 if (LHSExprType->isBitIntType()) 11432 LeftSize = S.Context.getIntWidth(LHSExprType); 11433 else if (LHSExprType->isFixedPointType()) { 11434 auto FXSema = S.Context.getFixedPointSemantics(LHSExprType); 11435 LeftSize = FXSema.getWidth() - (unsigned)FXSema.hasUnsignedPadding(); 11436 } 11437 llvm::APInt LeftBits(Right.getBitWidth(), LeftSize); 11438 if (Right.uge(LeftBits)) { 11439 S.DiagRuntimeBehavior(Loc, RHS.get(), 11440 S.PDiag(diag::warn_shift_gt_typewidth) 11441 << RHS.get()->getSourceRange()); 11442 return; 11443 } 11444 11445 // FIXME: We probably need to handle fixed point types specially here. 11446 if (Opc != BO_Shl || LHSExprType->isFixedPointType()) 11447 return; 11448 11449 // When left shifting an ICE which is signed, we can check for overflow which 11450 // according to C++ standards prior to C++2a has undefined behavior 11451 // ([expr.shift] 5.8/2). Unsigned integers have defined behavior modulo one 11452 // more than the maximum value representable in the result type, so never 11453 // warn for those. (FIXME: Unsigned left-shift overflow in a constant 11454 // expression is still probably a bug.) 11455 Expr::EvalResult LHSResult; 11456 if (LHS.get()->isValueDependent() || 11457 LHSType->hasUnsignedIntegerRepresentation() || 11458 !LHS.get()->EvaluateAsInt(LHSResult, S.Context)) 11459 return; 11460 llvm::APSInt Left = LHSResult.Val.getInt(); 11461 11462 // Don't warn if signed overflow is defined, then all the rest of the 11463 // diagnostics will not be triggered because the behavior is defined. 11464 // Also don't warn in C++20 mode (and newer), as signed left shifts 11465 // always wrap and never overflow. 11466 if (S.getLangOpts().isSignedOverflowDefined() || S.getLangOpts().CPlusPlus20) 11467 return; 11468 11469 // If LHS does not have a non-negative value then, the 11470 // behavior is undefined before C++2a. Warn about it. 11471 if (Left.isNegative()) { 11472 S.DiagRuntimeBehavior(Loc, LHS.get(), 11473 S.PDiag(diag::warn_shift_lhs_negative) 11474 << LHS.get()->getSourceRange()); 11475 return; 11476 } 11477 11478 llvm::APInt ResultBits = 11479 static_cast<llvm::APInt&>(Right) + Left.getMinSignedBits(); 11480 if (LeftBits.uge(ResultBits)) 11481 return; 11482 llvm::APSInt Result = Left.extend(ResultBits.getLimitedValue()); 11483 Result = Result.shl(Right); 11484 11485 // Print the bit representation of the signed integer as an unsigned 11486 // hexadecimal number. 11487 SmallString<40> HexResult; 11488 Result.toString(HexResult, 16, /*Signed =*/false, /*Literal =*/true); 11489 11490 // If we are only missing a sign bit, this is less likely to result in actual 11491 // bugs -- if the result is cast back to an unsigned type, it will have the 11492 // expected value. Thus we place this behind a different warning that can be 11493 // turned off separately if needed. 11494 if (LeftBits == ResultBits - 1) { 11495 S.Diag(Loc, diag::warn_shift_result_sets_sign_bit) 11496 << HexResult << LHSType 11497 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11498 return; 11499 } 11500 11501 S.Diag(Loc, diag::warn_shift_result_gt_typewidth) 11502 << HexResult.str() << Result.getMinSignedBits() << LHSType 11503 << Left.getBitWidth() << LHS.get()->getSourceRange() 11504 << RHS.get()->getSourceRange(); 11505 } 11506 11507 /// Return the resulting type when a vector is shifted 11508 /// by a scalar or vector shift amount. 11509 static QualType checkVectorShift(Sema &S, ExprResult &LHS, ExprResult &RHS, 11510 SourceLocation Loc, bool IsCompAssign) { 11511 // OpenCL v1.1 s6.3.j says RHS can be a vector only if LHS is a vector. 11512 if ((S.LangOpts.OpenCL || S.LangOpts.ZVector) && 11513 !LHS.get()->getType()->isVectorType()) { 11514 S.Diag(Loc, diag::err_shift_rhs_only_vector) 11515 << RHS.get()->getType() << LHS.get()->getType() 11516 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11517 return QualType(); 11518 } 11519 11520 if (!IsCompAssign) { 11521 LHS = S.UsualUnaryConversions(LHS.get()); 11522 if (LHS.isInvalid()) return QualType(); 11523 } 11524 11525 RHS = S.UsualUnaryConversions(RHS.get()); 11526 if (RHS.isInvalid()) return QualType(); 11527 11528 QualType LHSType = LHS.get()->getType(); 11529 // Note that LHS might be a scalar because the routine calls not only in 11530 // OpenCL case. 11531 const VectorType *LHSVecTy = LHSType->getAs<VectorType>(); 11532 QualType LHSEleType = LHSVecTy ? LHSVecTy->getElementType() : LHSType; 11533 11534 // Note that RHS might not be a vector. 11535 QualType RHSType = RHS.get()->getType(); 11536 const VectorType *RHSVecTy = RHSType->getAs<VectorType>(); 11537 QualType RHSEleType = RHSVecTy ? RHSVecTy->getElementType() : RHSType; 11538 11539 // Do not allow shifts for boolean vectors. 11540 if ((LHSVecTy && LHSVecTy->isExtVectorBoolType()) || 11541 (RHSVecTy && RHSVecTy->isExtVectorBoolType())) { 11542 S.Diag(Loc, diag::err_typecheck_invalid_operands) 11543 << LHS.get()->getType() << RHS.get()->getType() 11544 << LHS.get()->getSourceRange(); 11545 return QualType(); 11546 } 11547 11548 // The operands need to be integers. 11549 if (!LHSEleType->isIntegerType()) { 11550 S.Diag(Loc, diag::err_typecheck_expect_int) 11551 << LHS.get()->getType() << LHS.get()->getSourceRange(); 11552 return QualType(); 11553 } 11554 11555 if (!RHSEleType->isIntegerType()) { 11556 S.Diag(Loc, diag::err_typecheck_expect_int) 11557 << RHS.get()->getType() << RHS.get()->getSourceRange(); 11558 return QualType(); 11559 } 11560 11561 if (!LHSVecTy) { 11562 assert(RHSVecTy); 11563 if (IsCompAssign) 11564 return RHSType; 11565 if (LHSEleType != RHSEleType) { 11566 LHS = S.ImpCastExprToType(LHS.get(),RHSEleType, CK_IntegralCast); 11567 LHSEleType = RHSEleType; 11568 } 11569 QualType VecTy = 11570 S.Context.getExtVectorType(LHSEleType, RHSVecTy->getNumElements()); 11571 LHS = S.ImpCastExprToType(LHS.get(), VecTy, CK_VectorSplat); 11572 LHSType = VecTy; 11573 } else if (RHSVecTy) { 11574 // OpenCL v1.1 s6.3.j says that for vector types, the operators 11575 // are applied component-wise. So if RHS is a vector, then ensure 11576 // that the number of elements is the same as LHS... 11577 if (RHSVecTy->getNumElements() != LHSVecTy->getNumElements()) { 11578 S.Diag(Loc, diag::err_typecheck_vector_lengths_not_equal) 11579 << LHS.get()->getType() << RHS.get()->getType() 11580 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11581 return QualType(); 11582 } 11583 if (!S.LangOpts.OpenCL && !S.LangOpts.ZVector) { 11584 const BuiltinType *LHSBT = LHSEleType->getAs<clang::BuiltinType>(); 11585 const BuiltinType *RHSBT = RHSEleType->getAs<clang::BuiltinType>(); 11586 if (LHSBT != RHSBT && 11587 S.Context.getTypeSize(LHSBT) != S.Context.getTypeSize(RHSBT)) { 11588 S.Diag(Loc, diag::warn_typecheck_vector_element_sizes_not_equal) 11589 << LHS.get()->getType() << RHS.get()->getType() 11590 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11591 } 11592 } 11593 } else { 11594 // ...else expand RHS to match the number of elements in LHS. 11595 QualType VecTy = 11596 S.Context.getExtVectorType(RHSEleType, LHSVecTy->getNumElements()); 11597 RHS = S.ImpCastExprToType(RHS.get(), VecTy, CK_VectorSplat); 11598 } 11599 11600 return LHSType; 11601 } 11602 11603 static QualType checkSizelessVectorShift(Sema &S, ExprResult &LHS, 11604 ExprResult &RHS, SourceLocation Loc, 11605 bool IsCompAssign) { 11606 if (!IsCompAssign) { 11607 LHS = S.UsualUnaryConversions(LHS.get()); 11608 if (LHS.isInvalid()) 11609 return QualType(); 11610 } 11611 11612 RHS = S.UsualUnaryConversions(RHS.get()); 11613 if (RHS.isInvalid()) 11614 return QualType(); 11615 11616 QualType LHSType = LHS.get()->getType(); 11617 const BuiltinType *LHSBuiltinTy = LHSType->getAs<BuiltinType>(); 11618 QualType LHSEleType = LHSType->isVLSTBuiltinType() 11619 ? LHSBuiltinTy->getSveEltType(S.getASTContext()) 11620 : LHSType; 11621 11622 // Note that RHS might not be a vector 11623 QualType RHSType = RHS.get()->getType(); 11624 const BuiltinType *RHSBuiltinTy = RHSType->getAs<BuiltinType>(); 11625 QualType RHSEleType = RHSType->isVLSTBuiltinType() 11626 ? RHSBuiltinTy->getSveEltType(S.getASTContext()) 11627 : RHSType; 11628 11629 if ((LHSBuiltinTy && LHSBuiltinTy->isSVEBool()) || 11630 (RHSBuiltinTy && RHSBuiltinTy->isSVEBool())) { 11631 S.Diag(Loc, diag::err_typecheck_invalid_operands) 11632 << LHSType << RHSType << LHS.get()->getSourceRange(); 11633 return QualType(); 11634 } 11635 11636 if (!LHSEleType->isIntegerType()) { 11637 S.Diag(Loc, diag::err_typecheck_expect_int) 11638 << LHS.get()->getType() << LHS.get()->getSourceRange(); 11639 return QualType(); 11640 } 11641 11642 if (!RHSEleType->isIntegerType()) { 11643 S.Diag(Loc, diag::err_typecheck_expect_int) 11644 << RHS.get()->getType() << RHS.get()->getSourceRange(); 11645 return QualType(); 11646 } 11647 11648 if (LHSType->isVLSTBuiltinType() && RHSType->isVLSTBuiltinType() && 11649 (S.Context.getBuiltinVectorTypeInfo(LHSBuiltinTy).EC != 11650 S.Context.getBuiltinVectorTypeInfo(RHSBuiltinTy).EC)) { 11651 S.Diag(Loc, diag::err_typecheck_invalid_operands) 11652 << LHSType << RHSType << LHS.get()->getSourceRange() 11653 << RHS.get()->getSourceRange(); 11654 return QualType(); 11655 } 11656 11657 if (!LHSType->isVLSTBuiltinType()) { 11658 assert(RHSType->isVLSTBuiltinType()); 11659 if (IsCompAssign) 11660 return RHSType; 11661 if (LHSEleType != RHSEleType) { 11662 LHS = S.ImpCastExprToType(LHS.get(), RHSEleType, clang::CK_IntegralCast); 11663 LHSEleType = RHSEleType; 11664 } 11665 const llvm::ElementCount VecSize = 11666 S.Context.getBuiltinVectorTypeInfo(RHSBuiltinTy).EC; 11667 QualType VecTy = 11668 S.Context.getScalableVectorType(LHSEleType, VecSize.getKnownMinValue()); 11669 LHS = S.ImpCastExprToType(LHS.get(), VecTy, clang::CK_VectorSplat); 11670 LHSType = VecTy; 11671 } else if (RHSBuiltinTy && RHSBuiltinTy->isVLSTBuiltinType()) { 11672 if (S.Context.getTypeSize(RHSBuiltinTy) != 11673 S.Context.getTypeSize(LHSBuiltinTy)) { 11674 S.Diag(Loc, diag::err_typecheck_vector_lengths_not_equal) 11675 << LHSType << RHSType << LHS.get()->getSourceRange() 11676 << RHS.get()->getSourceRange(); 11677 return QualType(); 11678 } 11679 } else { 11680 const llvm::ElementCount VecSize = 11681 S.Context.getBuiltinVectorTypeInfo(LHSBuiltinTy).EC; 11682 if (LHSEleType != RHSEleType) { 11683 RHS = S.ImpCastExprToType(RHS.get(), LHSEleType, clang::CK_IntegralCast); 11684 RHSEleType = LHSEleType; 11685 } 11686 QualType VecTy = 11687 S.Context.getScalableVectorType(RHSEleType, VecSize.getKnownMinValue()); 11688 RHS = S.ImpCastExprToType(RHS.get(), VecTy, CK_VectorSplat); 11689 } 11690 11691 return LHSType; 11692 } 11693 11694 // C99 6.5.7 11695 QualType Sema::CheckShiftOperands(ExprResult &LHS, ExprResult &RHS, 11696 SourceLocation Loc, BinaryOperatorKind Opc, 11697 bool IsCompAssign) { 11698 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 11699 11700 // Vector shifts promote their scalar inputs to vector type. 11701 if (LHS.get()->getType()->isVectorType() || 11702 RHS.get()->getType()->isVectorType()) { 11703 if (LangOpts.ZVector) { 11704 // The shift operators for the z vector extensions work basically 11705 // like general shifts, except that neither the LHS nor the RHS is 11706 // allowed to be a "vector bool". 11707 if (auto LHSVecType = LHS.get()->getType()->getAs<VectorType>()) 11708 if (LHSVecType->getVectorKind() == VectorType::AltiVecBool) 11709 return InvalidOperands(Loc, LHS, RHS); 11710 if (auto RHSVecType = RHS.get()->getType()->getAs<VectorType>()) 11711 if (RHSVecType->getVectorKind() == VectorType::AltiVecBool) 11712 return InvalidOperands(Loc, LHS, RHS); 11713 } 11714 return checkVectorShift(*this, LHS, RHS, Loc, IsCompAssign); 11715 } 11716 11717 if (LHS.get()->getType()->isVLSTBuiltinType() || 11718 RHS.get()->getType()->isVLSTBuiltinType()) 11719 return checkSizelessVectorShift(*this, LHS, RHS, Loc, IsCompAssign); 11720 11721 // Shifts don't perform usual arithmetic conversions, they just do integer 11722 // promotions on each operand. C99 6.5.7p3 11723 11724 // For the LHS, do usual unary conversions, but then reset them away 11725 // if this is a compound assignment. 11726 ExprResult OldLHS = LHS; 11727 LHS = UsualUnaryConversions(LHS.get()); 11728 if (LHS.isInvalid()) 11729 return QualType(); 11730 QualType LHSType = LHS.get()->getType(); 11731 if (IsCompAssign) LHS = OldLHS; 11732 11733 // The RHS is simpler. 11734 RHS = UsualUnaryConversions(RHS.get()); 11735 if (RHS.isInvalid()) 11736 return QualType(); 11737 QualType RHSType = RHS.get()->getType(); 11738 11739 // C99 6.5.7p2: Each of the operands shall have integer type. 11740 // Embedded-C 4.1.6.2.2: The LHS may also be fixed-point. 11741 if ((!LHSType->isFixedPointOrIntegerType() && 11742 !LHSType->hasIntegerRepresentation()) || 11743 !RHSType->hasIntegerRepresentation()) 11744 return InvalidOperands(Loc, LHS, RHS); 11745 11746 // C++0x: Don't allow scoped enums. FIXME: Use something better than 11747 // hasIntegerRepresentation() above instead of this. 11748 if (isScopedEnumerationType(LHSType) || 11749 isScopedEnumerationType(RHSType)) { 11750 return InvalidOperands(Loc, LHS, RHS); 11751 } 11752 DiagnoseBadShiftValues(*this, LHS, RHS, Loc, Opc, LHSType); 11753 11754 // "The type of the result is that of the promoted left operand." 11755 return LHSType; 11756 } 11757 11758 /// Diagnose bad pointer comparisons. 11759 static void diagnoseDistinctPointerComparison(Sema &S, SourceLocation Loc, 11760 ExprResult &LHS, ExprResult &RHS, 11761 bool IsError) { 11762 S.Diag(Loc, IsError ? diag::err_typecheck_comparison_of_distinct_pointers 11763 : diag::ext_typecheck_comparison_of_distinct_pointers) 11764 << LHS.get()->getType() << RHS.get()->getType() 11765 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11766 } 11767 11768 /// Returns false if the pointers are converted to a composite type, 11769 /// true otherwise. 11770 static bool convertPointersToCompositeType(Sema &S, SourceLocation Loc, 11771 ExprResult &LHS, ExprResult &RHS) { 11772 // C++ [expr.rel]p2: 11773 // [...] Pointer conversions (4.10) and qualification 11774 // conversions (4.4) are performed on pointer operands (or on 11775 // a pointer operand and a null pointer constant) to bring 11776 // them to their composite pointer type. [...] 11777 // 11778 // C++ [expr.eq]p1 uses the same notion for (in)equality 11779 // comparisons of pointers. 11780 11781 QualType LHSType = LHS.get()->getType(); 11782 QualType RHSType = RHS.get()->getType(); 11783 assert(LHSType->isPointerType() || RHSType->isPointerType() || 11784 LHSType->isMemberPointerType() || RHSType->isMemberPointerType()); 11785 11786 QualType T = S.FindCompositePointerType(Loc, LHS, RHS); 11787 if (T.isNull()) { 11788 if ((LHSType->isAnyPointerType() || LHSType->isMemberPointerType()) && 11789 (RHSType->isAnyPointerType() || RHSType->isMemberPointerType())) 11790 diagnoseDistinctPointerComparison(S, Loc, LHS, RHS, /*isError*/true); 11791 else 11792 S.InvalidOperands(Loc, LHS, RHS); 11793 return true; 11794 } 11795 11796 return false; 11797 } 11798 11799 static void diagnoseFunctionPointerToVoidComparison(Sema &S, SourceLocation Loc, 11800 ExprResult &LHS, 11801 ExprResult &RHS, 11802 bool IsError) { 11803 S.Diag(Loc, IsError ? diag::err_typecheck_comparison_of_fptr_to_void 11804 : diag::ext_typecheck_comparison_of_fptr_to_void) 11805 << LHS.get()->getType() << RHS.get()->getType() 11806 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 11807 } 11808 11809 static bool isObjCObjectLiteral(ExprResult &E) { 11810 switch (E.get()->IgnoreParenImpCasts()->getStmtClass()) { 11811 case Stmt::ObjCArrayLiteralClass: 11812 case Stmt::ObjCDictionaryLiteralClass: 11813 case Stmt::ObjCStringLiteralClass: 11814 case Stmt::ObjCBoxedExprClass: 11815 return true; 11816 default: 11817 // Note that ObjCBoolLiteral is NOT an object literal! 11818 return false; 11819 } 11820 } 11821 11822 static bool hasIsEqualMethod(Sema &S, const Expr *LHS, const Expr *RHS) { 11823 const ObjCObjectPointerType *Type = 11824 LHS->getType()->getAs<ObjCObjectPointerType>(); 11825 11826 // If this is not actually an Objective-C object, bail out. 11827 if (!Type) 11828 return false; 11829 11830 // Get the LHS object's interface type. 11831 QualType InterfaceType = Type->getPointeeType(); 11832 11833 // If the RHS isn't an Objective-C object, bail out. 11834 if (!RHS->getType()->isObjCObjectPointerType()) 11835 return false; 11836 11837 // Try to find the -isEqual: method. 11838 Selector IsEqualSel = S.NSAPIObj->getIsEqualSelector(); 11839 ObjCMethodDecl *Method = S.LookupMethodInObjectType(IsEqualSel, 11840 InterfaceType, 11841 /*IsInstance=*/true); 11842 if (!Method) { 11843 if (Type->isObjCIdType()) { 11844 // For 'id', just check the global pool. 11845 Method = S.LookupInstanceMethodInGlobalPool(IsEqualSel, SourceRange(), 11846 /*receiverId=*/true); 11847 } else { 11848 // Check protocols. 11849 Method = S.LookupMethodInQualifiedType(IsEqualSel, Type, 11850 /*IsInstance=*/true); 11851 } 11852 } 11853 11854 if (!Method) 11855 return false; 11856 11857 QualType T = Method->parameters()[0]->getType(); 11858 if (!T->isObjCObjectPointerType()) 11859 return false; 11860 11861 QualType R = Method->getReturnType(); 11862 if (!R->isScalarType()) 11863 return false; 11864 11865 return true; 11866 } 11867 11868 Sema::ObjCLiteralKind Sema::CheckLiteralKind(Expr *FromE) { 11869 FromE = FromE->IgnoreParenImpCasts(); 11870 switch (FromE->getStmtClass()) { 11871 default: 11872 break; 11873 case Stmt::ObjCStringLiteralClass: 11874 // "string literal" 11875 return LK_String; 11876 case Stmt::ObjCArrayLiteralClass: 11877 // "array literal" 11878 return LK_Array; 11879 case Stmt::ObjCDictionaryLiteralClass: 11880 // "dictionary literal" 11881 return LK_Dictionary; 11882 case Stmt::BlockExprClass: 11883 return LK_Block; 11884 case Stmt::ObjCBoxedExprClass: { 11885 Expr *Inner = cast<ObjCBoxedExpr>(FromE)->getSubExpr()->IgnoreParens(); 11886 switch (Inner->getStmtClass()) { 11887 case Stmt::IntegerLiteralClass: 11888 case Stmt::FloatingLiteralClass: 11889 case Stmt::CharacterLiteralClass: 11890 case Stmt::ObjCBoolLiteralExprClass: 11891 case Stmt::CXXBoolLiteralExprClass: 11892 // "numeric literal" 11893 return LK_Numeric; 11894 case Stmt::ImplicitCastExprClass: { 11895 CastKind CK = cast<CastExpr>(Inner)->getCastKind(); 11896 // Boolean literals can be represented by implicit casts. 11897 if (CK == CK_IntegralToBoolean || CK == CK_IntegralCast) 11898 return LK_Numeric; 11899 break; 11900 } 11901 default: 11902 break; 11903 } 11904 return LK_Boxed; 11905 } 11906 } 11907 return LK_None; 11908 } 11909 11910 static void diagnoseObjCLiteralComparison(Sema &S, SourceLocation Loc, 11911 ExprResult &LHS, ExprResult &RHS, 11912 BinaryOperator::Opcode Opc){ 11913 Expr *Literal; 11914 Expr *Other; 11915 if (isObjCObjectLiteral(LHS)) { 11916 Literal = LHS.get(); 11917 Other = RHS.get(); 11918 } else { 11919 Literal = RHS.get(); 11920 Other = LHS.get(); 11921 } 11922 11923 // Don't warn on comparisons against nil. 11924 Other = Other->IgnoreParenCasts(); 11925 if (Other->isNullPointerConstant(S.getASTContext(), 11926 Expr::NPC_ValueDependentIsNotNull)) 11927 return; 11928 11929 // This should be kept in sync with warn_objc_literal_comparison. 11930 // LK_String should always be after the other literals, since it has its own 11931 // warning flag. 11932 Sema::ObjCLiteralKind LiteralKind = S.CheckLiteralKind(Literal); 11933 assert(LiteralKind != Sema::LK_Block); 11934 if (LiteralKind == Sema::LK_None) { 11935 llvm_unreachable("Unknown Objective-C object literal kind"); 11936 } 11937 11938 if (LiteralKind == Sema::LK_String) 11939 S.Diag(Loc, diag::warn_objc_string_literal_comparison) 11940 << Literal->getSourceRange(); 11941 else 11942 S.Diag(Loc, diag::warn_objc_literal_comparison) 11943 << LiteralKind << Literal->getSourceRange(); 11944 11945 if (BinaryOperator::isEqualityOp(Opc) && 11946 hasIsEqualMethod(S, LHS.get(), RHS.get())) { 11947 SourceLocation Start = LHS.get()->getBeginLoc(); 11948 SourceLocation End = S.getLocForEndOfToken(RHS.get()->getEndLoc()); 11949 CharSourceRange OpRange = 11950 CharSourceRange::getCharRange(Loc, S.getLocForEndOfToken(Loc)); 11951 11952 S.Diag(Loc, diag::note_objc_literal_comparison_isequal) 11953 << FixItHint::CreateInsertion(Start, Opc == BO_EQ ? "[" : "![") 11954 << FixItHint::CreateReplacement(OpRange, " isEqual:") 11955 << FixItHint::CreateInsertion(End, "]"); 11956 } 11957 } 11958 11959 /// Warns on !x < y, !x & y where !(x < y), !(x & y) was probably intended. 11960 static void diagnoseLogicalNotOnLHSofCheck(Sema &S, ExprResult &LHS, 11961 ExprResult &RHS, SourceLocation Loc, 11962 BinaryOperatorKind Opc) { 11963 // Check that left hand side is !something. 11964 UnaryOperator *UO = dyn_cast<UnaryOperator>(LHS.get()->IgnoreImpCasts()); 11965 if (!UO || UO->getOpcode() != UO_LNot) return; 11966 11967 // Only check if the right hand side is non-bool arithmetic type. 11968 if (RHS.get()->isKnownToHaveBooleanValue()) return; 11969 11970 // Make sure that the something in !something is not bool. 11971 Expr *SubExpr = UO->getSubExpr()->IgnoreImpCasts(); 11972 if (SubExpr->isKnownToHaveBooleanValue()) return; 11973 11974 // Emit warning. 11975 bool IsBitwiseOp = Opc == BO_And || Opc == BO_Or || Opc == BO_Xor; 11976 S.Diag(UO->getOperatorLoc(), diag::warn_logical_not_on_lhs_of_check) 11977 << Loc << IsBitwiseOp; 11978 11979 // First note suggest !(x < y) 11980 SourceLocation FirstOpen = SubExpr->getBeginLoc(); 11981 SourceLocation FirstClose = RHS.get()->getEndLoc(); 11982 FirstClose = S.getLocForEndOfToken(FirstClose); 11983 if (FirstClose.isInvalid()) 11984 FirstOpen = SourceLocation(); 11985 S.Diag(UO->getOperatorLoc(), diag::note_logical_not_fix) 11986 << IsBitwiseOp 11987 << FixItHint::CreateInsertion(FirstOpen, "(") 11988 << FixItHint::CreateInsertion(FirstClose, ")"); 11989 11990 // Second note suggests (!x) < y 11991 SourceLocation SecondOpen = LHS.get()->getBeginLoc(); 11992 SourceLocation SecondClose = LHS.get()->getEndLoc(); 11993 SecondClose = S.getLocForEndOfToken(SecondClose); 11994 if (SecondClose.isInvalid()) 11995 SecondOpen = SourceLocation(); 11996 S.Diag(UO->getOperatorLoc(), diag::note_logical_not_silence_with_parens) 11997 << FixItHint::CreateInsertion(SecondOpen, "(") 11998 << FixItHint::CreateInsertion(SecondClose, ")"); 11999 } 12000 12001 // Returns true if E refers to a non-weak array. 12002 static bool checkForArray(const Expr *E) { 12003 const ValueDecl *D = nullptr; 12004 if (const DeclRefExpr *DR = dyn_cast<DeclRefExpr>(E)) { 12005 D = DR->getDecl(); 12006 } else if (const MemberExpr *Mem = dyn_cast<MemberExpr>(E)) { 12007 if (Mem->isImplicitAccess()) 12008 D = Mem->getMemberDecl(); 12009 } 12010 if (!D) 12011 return false; 12012 return D->getType()->isArrayType() && !D->isWeak(); 12013 } 12014 12015 /// Diagnose some forms of syntactically-obvious tautological comparison. 12016 static void diagnoseTautologicalComparison(Sema &S, SourceLocation Loc, 12017 Expr *LHS, Expr *RHS, 12018 BinaryOperatorKind Opc) { 12019 Expr *LHSStripped = LHS->IgnoreParenImpCasts(); 12020 Expr *RHSStripped = RHS->IgnoreParenImpCasts(); 12021 12022 QualType LHSType = LHS->getType(); 12023 QualType RHSType = RHS->getType(); 12024 if (LHSType->hasFloatingRepresentation() || 12025 (LHSType->isBlockPointerType() && !BinaryOperator::isEqualityOp(Opc)) || 12026 S.inTemplateInstantiation()) 12027 return; 12028 12029 // Comparisons between two array types are ill-formed for operator<=>, so 12030 // we shouldn't emit any additional warnings about it. 12031 if (Opc == BO_Cmp && LHSType->isArrayType() && RHSType->isArrayType()) 12032 return; 12033 12034 // For non-floating point types, check for self-comparisons of the form 12035 // x == x, x != x, x < x, etc. These always evaluate to a constant, and 12036 // often indicate logic errors in the program. 12037 // 12038 // NOTE: Don't warn about comparison expressions resulting from macro 12039 // expansion. Also don't warn about comparisons which are only self 12040 // comparisons within a template instantiation. The warnings should catch 12041 // obvious cases in the definition of the template anyways. The idea is to 12042 // warn when the typed comparison operator will always evaluate to the same 12043 // result. 12044 12045 // Used for indexing into %select in warn_comparison_always 12046 enum { 12047 AlwaysConstant, 12048 AlwaysTrue, 12049 AlwaysFalse, 12050 AlwaysEqual, // std::strong_ordering::equal from operator<=> 12051 }; 12052 12053 // C++2a [depr.array.comp]: 12054 // Equality and relational comparisons ([expr.eq], [expr.rel]) between two 12055 // operands of array type are deprecated. 12056 if (S.getLangOpts().CPlusPlus20 && LHSStripped->getType()->isArrayType() && 12057 RHSStripped->getType()->isArrayType()) { 12058 S.Diag(Loc, diag::warn_depr_array_comparison) 12059 << LHS->getSourceRange() << RHS->getSourceRange() 12060 << LHSStripped->getType() << RHSStripped->getType(); 12061 // Carry on to produce the tautological comparison warning, if this 12062 // expression is potentially-evaluated, we can resolve the array to a 12063 // non-weak declaration, and so on. 12064 } 12065 12066 if (!LHS->getBeginLoc().isMacroID() && !RHS->getBeginLoc().isMacroID()) { 12067 if (Expr::isSameComparisonOperand(LHS, RHS)) { 12068 unsigned Result; 12069 switch (Opc) { 12070 case BO_EQ: 12071 case BO_LE: 12072 case BO_GE: 12073 Result = AlwaysTrue; 12074 break; 12075 case BO_NE: 12076 case BO_LT: 12077 case BO_GT: 12078 Result = AlwaysFalse; 12079 break; 12080 case BO_Cmp: 12081 Result = AlwaysEqual; 12082 break; 12083 default: 12084 Result = AlwaysConstant; 12085 break; 12086 } 12087 S.DiagRuntimeBehavior(Loc, nullptr, 12088 S.PDiag(diag::warn_comparison_always) 12089 << 0 /*self-comparison*/ 12090 << Result); 12091 } else if (checkForArray(LHSStripped) && checkForArray(RHSStripped)) { 12092 // What is it always going to evaluate to? 12093 unsigned Result; 12094 switch (Opc) { 12095 case BO_EQ: // e.g. array1 == array2 12096 Result = AlwaysFalse; 12097 break; 12098 case BO_NE: // e.g. array1 != array2 12099 Result = AlwaysTrue; 12100 break; 12101 default: // e.g. array1 <= array2 12102 // The best we can say is 'a constant' 12103 Result = AlwaysConstant; 12104 break; 12105 } 12106 S.DiagRuntimeBehavior(Loc, nullptr, 12107 S.PDiag(diag::warn_comparison_always) 12108 << 1 /*array comparison*/ 12109 << Result); 12110 } 12111 } 12112 12113 if (isa<CastExpr>(LHSStripped)) 12114 LHSStripped = LHSStripped->IgnoreParenCasts(); 12115 if (isa<CastExpr>(RHSStripped)) 12116 RHSStripped = RHSStripped->IgnoreParenCasts(); 12117 12118 // Warn about comparisons against a string constant (unless the other 12119 // operand is null); the user probably wants string comparison function. 12120 Expr *LiteralString = nullptr; 12121 Expr *LiteralStringStripped = nullptr; 12122 if ((isa<StringLiteral>(LHSStripped) || isa<ObjCEncodeExpr>(LHSStripped)) && 12123 !RHSStripped->isNullPointerConstant(S.Context, 12124 Expr::NPC_ValueDependentIsNull)) { 12125 LiteralString = LHS; 12126 LiteralStringStripped = LHSStripped; 12127 } else if ((isa<StringLiteral>(RHSStripped) || 12128 isa<ObjCEncodeExpr>(RHSStripped)) && 12129 !LHSStripped->isNullPointerConstant(S.Context, 12130 Expr::NPC_ValueDependentIsNull)) { 12131 LiteralString = RHS; 12132 LiteralStringStripped = RHSStripped; 12133 } 12134 12135 if (LiteralString) { 12136 S.DiagRuntimeBehavior(Loc, nullptr, 12137 S.PDiag(diag::warn_stringcompare) 12138 << isa<ObjCEncodeExpr>(LiteralStringStripped) 12139 << LiteralString->getSourceRange()); 12140 } 12141 } 12142 12143 static ImplicitConversionKind castKindToImplicitConversionKind(CastKind CK) { 12144 switch (CK) { 12145 default: { 12146 #ifndef NDEBUG 12147 llvm::errs() << "unhandled cast kind: " << CastExpr::getCastKindName(CK) 12148 << "\n"; 12149 #endif 12150 llvm_unreachable("unhandled cast kind"); 12151 } 12152 case CK_UserDefinedConversion: 12153 return ICK_Identity; 12154 case CK_LValueToRValue: 12155 return ICK_Lvalue_To_Rvalue; 12156 case CK_ArrayToPointerDecay: 12157 return ICK_Array_To_Pointer; 12158 case CK_FunctionToPointerDecay: 12159 return ICK_Function_To_Pointer; 12160 case CK_IntegralCast: 12161 return ICK_Integral_Conversion; 12162 case CK_FloatingCast: 12163 return ICK_Floating_Conversion; 12164 case CK_IntegralToFloating: 12165 case CK_FloatingToIntegral: 12166 return ICK_Floating_Integral; 12167 case CK_IntegralComplexCast: 12168 case CK_FloatingComplexCast: 12169 case CK_FloatingComplexToIntegralComplex: 12170 case CK_IntegralComplexToFloatingComplex: 12171 return ICK_Complex_Conversion; 12172 case CK_FloatingComplexToReal: 12173 case CK_FloatingRealToComplex: 12174 case CK_IntegralComplexToReal: 12175 case CK_IntegralRealToComplex: 12176 return ICK_Complex_Real; 12177 } 12178 } 12179 12180 static bool checkThreeWayNarrowingConversion(Sema &S, QualType ToType, Expr *E, 12181 QualType FromType, 12182 SourceLocation Loc) { 12183 // Check for a narrowing implicit conversion. 12184 StandardConversionSequence SCS; 12185 SCS.setAsIdentityConversion(); 12186 SCS.setToType(0, FromType); 12187 SCS.setToType(1, ToType); 12188 if (const auto *ICE = dyn_cast<ImplicitCastExpr>(E)) 12189 SCS.Second = castKindToImplicitConversionKind(ICE->getCastKind()); 12190 12191 APValue PreNarrowingValue; 12192 QualType PreNarrowingType; 12193 switch (SCS.getNarrowingKind(S.Context, E, PreNarrowingValue, 12194 PreNarrowingType, 12195 /*IgnoreFloatToIntegralConversion*/ true)) { 12196 case NK_Dependent_Narrowing: 12197 // Implicit conversion to a narrower type, but the expression is 12198 // value-dependent so we can't tell whether it's actually narrowing. 12199 case NK_Not_Narrowing: 12200 return false; 12201 12202 case NK_Constant_Narrowing: 12203 // Implicit conversion to a narrower type, and the value is not a constant 12204 // expression. 12205 S.Diag(E->getBeginLoc(), diag::err_spaceship_argument_narrowing) 12206 << /*Constant*/ 1 12207 << PreNarrowingValue.getAsString(S.Context, PreNarrowingType) << ToType; 12208 return true; 12209 12210 case NK_Variable_Narrowing: 12211 // Implicit conversion to a narrower type, and the value is not a constant 12212 // expression. 12213 case NK_Type_Narrowing: 12214 S.Diag(E->getBeginLoc(), diag::err_spaceship_argument_narrowing) 12215 << /*Constant*/ 0 << FromType << ToType; 12216 // TODO: It's not a constant expression, but what if the user intended it 12217 // to be? Can we produce notes to help them figure out why it isn't? 12218 return true; 12219 } 12220 llvm_unreachable("unhandled case in switch"); 12221 } 12222 12223 static QualType checkArithmeticOrEnumeralThreeWayCompare(Sema &S, 12224 ExprResult &LHS, 12225 ExprResult &RHS, 12226 SourceLocation Loc) { 12227 QualType LHSType = LHS.get()->getType(); 12228 QualType RHSType = RHS.get()->getType(); 12229 // Dig out the original argument type and expression before implicit casts 12230 // were applied. These are the types/expressions we need to check the 12231 // [expr.spaceship] requirements against. 12232 ExprResult LHSStripped = LHS.get()->IgnoreParenImpCasts(); 12233 ExprResult RHSStripped = RHS.get()->IgnoreParenImpCasts(); 12234 QualType LHSStrippedType = LHSStripped.get()->getType(); 12235 QualType RHSStrippedType = RHSStripped.get()->getType(); 12236 12237 // C++2a [expr.spaceship]p3: If one of the operands is of type bool and the 12238 // other is not, the program is ill-formed. 12239 if (LHSStrippedType->isBooleanType() != RHSStrippedType->isBooleanType()) { 12240 S.InvalidOperands(Loc, LHSStripped, RHSStripped); 12241 return QualType(); 12242 } 12243 12244 // FIXME: Consider combining this with checkEnumArithmeticConversions. 12245 int NumEnumArgs = (int)LHSStrippedType->isEnumeralType() + 12246 RHSStrippedType->isEnumeralType(); 12247 if (NumEnumArgs == 1) { 12248 bool LHSIsEnum = LHSStrippedType->isEnumeralType(); 12249 QualType OtherTy = LHSIsEnum ? RHSStrippedType : LHSStrippedType; 12250 if (OtherTy->hasFloatingRepresentation()) { 12251 S.InvalidOperands(Loc, LHSStripped, RHSStripped); 12252 return QualType(); 12253 } 12254 } 12255 if (NumEnumArgs == 2) { 12256 // C++2a [expr.spaceship]p5: If both operands have the same enumeration 12257 // type E, the operator yields the result of converting the operands 12258 // to the underlying type of E and applying <=> to the converted operands. 12259 if (!S.Context.hasSameUnqualifiedType(LHSStrippedType, RHSStrippedType)) { 12260 S.InvalidOperands(Loc, LHS, RHS); 12261 return QualType(); 12262 } 12263 QualType IntType = 12264 LHSStrippedType->castAs<EnumType>()->getDecl()->getIntegerType(); 12265 assert(IntType->isArithmeticType()); 12266 12267 // We can't use `CK_IntegralCast` when the underlying type is 'bool', so we 12268 // promote the boolean type, and all other promotable integer types, to 12269 // avoid this. 12270 if (IntType->isPromotableIntegerType()) 12271 IntType = S.Context.getPromotedIntegerType(IntType); 12272 12273 LHS = S.ImpCastExprToType(LHS.get(), IntType, CK_IntegralCast); 12274 RHS = S.ImpCastExprToType(RHS.get(), IntType, CK_IntegralCast); 12275 LHSType = RHSType = IntType; 12276 } 12277 12278 // C++2a [expr.spaceship]p4: If both operands have arithmetic types, the 12279 // usual arithmetic conversions are applied to the operands. 12280 QualType Type = 12281 S.UsualArithmeticConversions(LHS, RHS, Loc, Sema::ACK_Comparison); 12282 if (LHS.isInvalid() || RHS.isInvalid()) 12283 return QualType(); 12284 if (Type.isNull()) 12285 return S.InvalidOperands(Loc, LHS, RHS); 12286 12287 Optional<ComparisonCategoryType> CCT = 12288 getComparisonCategoryForBuiltinCmp(Type); 12289 if (!CCT) 12290 return S.InvalidOperands(Loc, LHS, RHS); 12291 12292 bool HasNarrowing = checkThreeWayNarrowingConversion( 12293 S, Type, LHS.get(), LHSType, LHS.get()->getBeginLoc()); 12294 HasNarrowing |= checkThreeWayNarrowingConversion(S, Type, RHS.get(), RHSType, 12295 RHS.get()->getBeginLoc()); 12296 if (HasNarrowing) 12297 return QualType(); 12298 12299 assert(!Type.isNull() && "composite type for <=> has not been set"); 12300 12301 return S.CheckComparisonCategoryType( 12302 *CCT, Loc, Sema::ComparisonCategoryUsage::OperatorInExpression); 12303 } 12304 12305 static QualType checkArithmeticOrEnumeralCompare(Sema &S, ExprResult &LHS, 12306 ExprResult &RHS, 12307 SourceLocation Loc, 12308 BinaryOperatorKind Opc) { 12309 if (Opc == BO_Cmp) 12310 return checkArithmeticOrEnumeralThreeWayCompare(S, LHS, RHS, Loc); 12311 12312 // C99 6.5.8p3 / C99 6.5.9p4 12313 QualType Type = 12314 S.UsualArithmeticConversions(LHS, RHS, Loc, Sema::ACK_Comparison); 12315 if (LHS.isInvalid() || RHS.isInvalid()) 12316 return QualType(); 12317 if (Type.isNull()) 12318 return S.InvalidOperands(Loc, LHS, RHS); 12319 assert(Type->isArithmeticType() || Type->isEnumeralType()); 12320 12321 if (Type->isAnyComplexType() && BinaryOperator::isRelationalOp(Opc)) 12322 return S.InvalidOperands(Loc, LHS, RHS); 12323 12324 // Check for comparisons of floating point operands using != and ==. 12325 if (Type->hasFloatingRepresentation() && BinaryOperator::isEqualityOp(Opc)) 12326 S.CheckFloatComparison(Loc, LHS.get(), RHS.get(), Opc); 12327 12328 // The result of comparisons is 'bool' in C++, 'int' in C. 12329 return S.Context.getLogicalOperationType(); 12330 } 12331 12332 void Sema::CheckPtrComparisonWithNullChar(ExprResult &E, ExprResult &NullE) { 12333 if (!NullE.get()->getType()->isAnyPointerType()) 12334 return; 12335 int NullValue = PP.isMacroDefined("NULL") ? 0 : 1; 12336 if (!E.get()->getType()->isAnyPointerType() && 12337 E.get()->isNullPointerConstant(Context, 12338 Expr::NPC_ValueDependentIsNotNull) == 12339 Expr::NPCK_ZeroExpression) { 12340 if (const auto *CL = dyn_cast<CharacterLiteral>(E.get())) { 12341 if (CL->getValue() == 0) 12342 Diag(E.get()->getExprLoc(), diag::warn_pointer_compare) 12343 << NullValue 12344 << FixItHint::CreateReplacement(E.get()->getExprLoc(), 12345 NullValue ? "NULL" : "(void *)0"); 12346 } else if (const auto *CE = dyn_cast<CStyleCastExpr>(E.get())) { 12347 TypeSourceInfo *TI = CE->getTypeInfoAsWritten(); 12348 QualType T = Context.getCanonicalType(TI->getType()).getUnqualifiedType(); 12349 if (T == Context.CharTy) 12350 Diag(E.get()->getExprLoc(), diag::warn_pointer_compare) 12351 << NullValue 12352 << FixItHint::CreateReplacement(E.get()->getExprLoc(), 12353 NullValue ? "NULL" : "(void *)0"); 12354 } 12355 } 12356 } 12357 12358 // C99 6.5.8, C++ [expr.rel] 12359 QualType Sema::CheckCompareOperands(ExprResult &LHS, ExprResult &RHS, 12360 SourceLocation Loc, 12361 BinaryOperatorKind Opc) { 12362 bool IsRelational = BinaryOperator::isRelationalOp(Opc); 12363 bool IsThreeWay = Opc == BO_Cmp; 12364 bool IsOrdered = IsRelational || IsThreeWay; 12365 auto IsAnyPointerType = [](ExprResult E) { 12366 QualType Ty = E.get()->getType(); 12367 return Ty->isPointerType() || Ty->isMemberPointerType(); 12368 }; 12369 12370 // C++2a [expr.spaceship]p6: If at least one of the operands is of pointer 12371 // type, array-to-pointer, ..., conversions are performed on both operands to 12372 // bring them to their composite type. 12373 // Otherwise, all comparisons expect an rvalue, so convert to rvalue before 12374 // any type-related checks. 12375 if (!IsThreeWay || IsAnyPointerType(LHS) || IsAnyPointerType(RHS)) { 12376 LHS = DefaultFunctionArrayLvalueConversion(LHS.get()); 12377 if (LHS.isInvalid()) 12378 return QualType(); 12379 RHS = DefaultFunctionArrayLvalueConversion(RHS.get()); 12380 if (RHS.isInvalid()) 12381 return QualType(); 12382 } else { 12383 LHS = DefaultLvalueConversion(LHS.get()); 12384 if (LHS.isInvalid()) 12385 return QualType(); 12386 RHS = DefaultLvalueConversion(RHS.get()); 12387 if (RHS.isInvalid()) 12388 return QualType(); 12389 } 12390 12391 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/true); 12392 if (!getLangOpts().CPlusPlus && BinaryOperator::isEqualityOp(Opc)) { 12393 CheckPtrComparisonWithNullChar(LHS, RHS); 12394 CheckPtrComparisonWithNullChar(RHS, LHS); 12395 } 12396 12397 // Handle vector comparisons separately. 12398 if (LHS.get()->getType()->isVectorType() || 12399 RHS.get()->getType()->isVectorType()) 12400 return CheckVectorCompareOperands(LHS, RHS, Loc, Opc); 12401 12402 if (LHS.get()->getType()->isVLSTBuiltinType() || 12403 RHS.get()->getType()->isVLSTBuiltinType()) 12404 return CheckSizelessVectorCompareOperands(LHS, RHS, Loc, Opc); 12405 12406 diagnoseLogicalNotOnLHSofCheck(*this, LHS, RHS, Loc, Opc); 12407 diagnoseTautologicalComparison(*this, Loc, LHS.get(), RHS.get(), Opc); 12408 12409 QualType LHSType = LHS.get()->getType(); 12410 QualType RHSType = RHS.get()->getType(); 12411 if ((LHSType->isArithmeticType() || LHSType->isEnumeralType()) && 12412 (RHSType->isArithmeticType() || RHSType->isEnumeralType())) 12413 return checkArithmeticOrEnumeralCompare(*this, LHS, RHS, Loc, Opc); 12414 12415 const Expr::NullPointerConstantKind LHSNullKind = 12416 LHS.get()->isNullPointerConstant(Context, Expr::NPC_ValueDependentIsNull); 12417 const Expr::NullPointerConstantKind RHSNullKind = 12418 RHS.get()->isNullPointerConstant(Context, Expr::NPC_ValueDependentIsNull); 12419 bool LHSIsNull = LHSNullKind != Expr::NPCK_NotNull; 12420 bool RHSIsNull = RHSNullKind != Expr::NPCK_NotNull; 12421 12422 auto computeResultTy = [&]() { 12423 if (Opc != BO_Cmp) 12424 return Context.getLogicalOperationType(); 12425 assert(getLangOpts().CPlusPlus); 12426 assert(Context.hasSameType(LHS.get()->getType(), RHS.get()->getType())); 12427 12428 QualType CompositeTy = LHS.get()->getType(); 12429 assert(!CompositeTy->isReferenceType()); 12430 12431 Optional<ComparisonCategoryType> CCT = 12432 getComparisonCategoryForBuiltinCmp(CompositeTy); 12433 if (!CCT) 12434 return InvalidOperands(Loc, LHS, RHS); 12435 12436 if (CompositeTy->isPointerType() && LHSIsNull != RHSIsNull) { 12437 // P0946R0: Comparisons between a null pointer constant and an object 12438 // pointer result in std::strong_equality, which is ill-formed under 12439 // P1959R0. 12440 Diag(Loc, diag::err_typecheck_three_way_comparison_of_pointer_and_zero) 12441 << (LHSIsNull ? LHS.get()->getSourceRange() 12442 : RHS.get()->getSourceRange()); 12443 return QualType(); 12444 } 12445 12446 return CheckComparisonCategoryType( 12447 *CCT, Loc, ComparisonCategoryUsage::OperatorInExpression); 12448 }; 12449 12450 if (!IsOrdered && LHSIsNull != RHSIsNull) { 12451 bool IsEquality = Opc == BO_EQ; 12452 if (RHSIsNull) 12453 DiagnoseAlwaysNonNullPointer(LHS.get(), RHSNullKind, IsEquality, 12454 RHS.get()->getSourceRange()); 12455 else 12456 DiagnoseAlwaysNonNullPointer(RHS.get(), LHSNullKind, IsEquality, 12457 LHS.get()->getSourceRange()); 12458 } 12459 12460 if (IsOrdered && LHSType->isFunctionPointerType() && 12461 RHSType->isFunctionPointerType()) { 12462 // Valid unless a relational comparison of function pointers 12463 bool IsError = Opc == BO_Cmp; 12464 auto DiagID = 12465 IsError ? diag::err_typecheck_ordered_comparison_of_function_pointers 12466 : getLangOpts().CPlusPlus 12467 ? diag::warn_typecheck_ordered_comparison_of_function_pointers 12468 : diag::ext_typecheck_ordered_comparison_of_function_pointers; 12469 Diag(Loc, DiagID) << LHSType << RHSType << LHS.get()->getSourceRange() 12470 << RHS.get()->getSourceRange(); 12471 if (IsError) 12472 return QualType(); 12473 } 12474 12475 if ((LHSType->isIntegerType() && !LHSIsNull) || 12476 (RHSType->isIntegerType() && !RHSIsNull)) { 12477 // Skip normal pointer conversion checks in this case; we have better 12478 // diagnostics for this below. 12479 } else if (getLangOpts().CPlusPlus) { 12480 // Equality comparison of a function pointer to a void pointer is invalid, 12481 // but we allow it as an extension. 12482 // FIXME: If we really want to allow this, should it be part of composite 12483 // pointer type computation so it works in conditionals too? 12484 if (!IsOrdered && 12485 ((LHSType->isFunctionPointerType() && RHSType->isVoidPointerType()) || 12486 (RHSType->isFunctionPointerType() && LHSType->isVoidPointerType()))) { 12487 // This is a gcc extension compatibility comparison. 12488 // In a SFINAE context, we treat this as a hard error to maintain 12489 // conformance with the C++ standard. 12490 diagnoseFunctionPointerToVoidComparison( 12491 *this, Loc, LHS, RHS, /*isError*/ (bool)isSFINAEContext()); 12492 12493 if (isSFINAEContext()) 12494 return QualType(); 12495 12496 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast); 12497 return computeResultTy(); 12498 } 12499 12500 // C++ [expr.eq]p2: 12501 // If at least one operand is a pointer [...] bring them to their 12502 // composite pointer type. 12503 // C++ [expr.spaceship]p6 12504 // If at least one of the operands is of pointer type, [...] bring them 12505 // to their composite pointer type. 12506 // C++ [expr.rel]p2: 12507 // If both operands are pointers, [...] bring them to their composite 12508 // pointer type. 12509 // For <=>, the only valid non-pointer types are arrays and functions, and 12510 // we already decayed those, so this is really the same as the relational 12511 // comparison rule. 12512 if ((int)LHSType->isPointerType() + (int)RHSType->isPointerType() >= 12513 (IsOrdered ? 2 : 1) && 12514 (!LangOpts.ObjCAutoRefCount || !(LHSType->isObjCObjectPointerType() || 12515 RHSType->isObjCObjectPointerType()))) { 12516 if (convertPointersToCompositeType(*this, Loc, LHS, RHS)) 12517 return QualType(); 12518 return computeResultTy(); 12519 } 12520 } else if (LHSType->isPointerType() && 12521 RHSType->isPointerType()) { // C99 6.5.8p2 12522 // All of the following pointer-related warnings are GCC extensions, except 12523 // when handling null pointer constants. 12524 QualType LCanPointeeTy = 12525 LHSType->castAs<PointerType>()->getPointeeType().getCanonicalType(); 12526 QualType RCanPointeeTy = 12527 RHSType->castAs<PointerType>()->getPointeeType().getCanonicalType(); 12528 12529 // C99 6.5.9p2 and C99 6.5.8p2 12530 if (Context.typesAreCompatible(LCanPointeeTy.getUnqualifiedType(), 12531 RCanPointeeTy.getUnqualifiedType())) { 12532 if (IsRelational) { 12533 // Pointers both need to point to complete or incomplete types 12534 if ((LCanPointeeTy->isIncompleteType() != 12535 RCanPointeeTy->isIncompleteType()) && 12536 !getLangOpts().C11) { 12537 Diag(Loc, diag::ext_typecheck_compare_complete_incomplete_pointers) 12538 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange() 12539 << LHSType << RHSType << LCanPointeeTy->isIncompleteType() 12540 << RCanPointeeTy->isIncompleteType(); 12541 } 12542 } 12543 } else if (!IsRelational && 12544 (LCanPointeeTy->isVoidType() || RCanPointeeTy->isVoidType())) { 12545 // Valid unless comparison between non-null pointer and function pointer 12546 if ((LCanPointeeTy->isFunctionType() || RCanPointeeTy->isFunctionType()) 12547 && !LHSIsNull && !RHSIsNull) 12548 diagnoseFunctionPointerToVoidComparison(*this, Loc, LHS, RHS, 12549 /*isError*/false); 12550 } else { 12551 // Invalid 12552 diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS, /*isError*/false); 12553 } 12554 if (LCanPointeeTy != RCanPointeeTy) { 12555 // Treat NULL constant as a special case in OpenCL. 12556 if (getLangOpts().OpenCL && !LHSIsNull && !RHSIsNull) { 12557 if (!LCanPointeeTy.isAddressSpaceOverlapping(RCanPointeeTy)) { 12558 Diag(Loc, 12559 diag::err_typecheck_op_on_nonoverlapping_address_space_pointers) 12560 << LHSType << RHSType << 0 /* comparison */ 12561 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange(); 12562 } 12563 } 12564 LangAS AddrSpaceL = LCanPointeeTy.getAddressSpace(); 12565 LangAS AddrSpaceR = RCanPointeeTy.getAddressSpace(); 12566 CastKind Kind = AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion 12567 : CK_BitCast; 12568 if (LHSIsNull && !RHSIsNull) 12569 LHS = ImpCastExprToType(LHS.get(), RHSType, Kind); 12570 else 12571 RHS = ImpCastExprToType(RHS.get(), LHSType, Kind); 12572 } 12573 return computeResultTy(); 12574 } 12575 12576 if (getLangOpts().CPlusPlus) { 12577 // C++ [expr.eq]p4: 12578 // Two operands of type std::nullptr_t or one operand of type 12579 // std::nullptr_t and the other a null pointer constant compare equal. 12580 if (!IsOrdered && LHSIsNull && RHSIsNull) { 12581 if (LHSType->isNullPtrType()) { 12582 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 12583 return computeResultTy(); 12584 } 12585 if (RHSType->isNullPtrType()) { 12586 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer); 12587 return computeResultTy(); 12588 } 12589 } 12590 12591 // Comparison of Objective-C pointers and block pointers against nullptr_t. 12592 // These aren't covered by the composite pointer type rules. 12593 if (!IsOrdered && RHSType->isNullPtrType() && 12594 (LHSType->isObjCObjectPointerType() || LHSType->isBlockPointerType())) { 12595 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 12596 return computeResultTy(); 12597 } 12598 if (!IsOrdered && LHSType->isNullPtrType() && 12599 (RHSType->isObjCObjectPointerType() || RHSType->isBlockPointerType())) { 12600 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer); 12601 return computeResultTy(); 12602 } 12603 12604 if (IsRelational && 12605 ((LHSType->isNullPtrType() && RHSType->isPointerType()) || 12606 (RHSType->isNullPtrType() && LHSType->isPointerType()))) { 12607 // HACK: Relational comparison of nullptr_t against a pointer type is 12608 // invalid per DR583, but we allow it within std::less<> and friends, 12609 // since otherwise common uses of it break. 12610 // FIXME: Consider removing this hack once LWG fixes std::less<> and 12611 // friends to have std::nullptr_t overload candidates. 12612 DeclContext *DC = CurContext; 12613 if (isa<FunctionDecl>(DC)) 12614 DC = DC->getParent(); 12615 if (auto *CTSD = dyn_cast<ClassTemplateSpecializationDecl>(DC)) { 12616 if (CTSD->isInStdNamespace() && 12617 llvm::StringSwitch<bool>(CTSD->getName()) 12618 .Cases("less", "less_equal", "greater", "greater_equal", true) 12619 .Default(false)) { 12620 if (RHSType->isNullPtrType()) 12621 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 12622 else 12623 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer); 12624 return computeResultTy(); 12625 } 12626 } 12627 } 12628 12629 // C++ [expr.eq]p2: 12630 // If at least one operand is a pointer to member, [...] bring them to 12631 // their composite pointer type. 12632 if (!IsOrdered && 12633 (LHSType->isMemberPointerType() || RHSType->isMemberPointerType())) { 12634 if (convertPointersToCompositeType(*this, Loc, LHS, RHS)) 12635 return QualType(); 12636 else 12637 return computeResultTy(); 12638 } 12639 } 12640 12641 // Handle block pointer types. 12642 if (!IsOrdered && LHSType->isBlockPointerType() && 12643 RHSType->isBlockPointerType()) { 12644 QualType lpointee = LHSType->castAs<BlockPointerType>()->getPointeeType(); 12645 QualType rpointee = RHSType->castAs<BlockPointerType>()->getPointeeType(); 12646 12647 if (!LHSIsNull && !RHSIsNull && 12648 !Context.typesAreCompatible(lpointee, rpointee)) { 12649 Diag(Loc, diag::err_typecheck_comparison_of_distinct_blocks) 12650 << LHSType << RHSType << LHS.get()->getSourceRange() 12651 << RHS.get()->getSourceRange(); 12652 } 12653 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast); 12654 return computeResultTy(); 12655 } 12656 12657 // Allow block pointers to be compared with null pointer constants. 12658 if (!IsOrdered 12659 && ((LHSType->isBlockPointerType() && RHSType->isPointerType()) 12660 || (LHSType->isPointerType() && RHSType->isBlockPointerType()))) { 12661 if (!LHSIsNull && !RHSIsNull) { 12662 if (!((RHSType->isPointerType() && RHSType->castAs<PointerType>() 12663 ->getPointeeType()->isVoidType()) 12664 || (LHSType->isPointerType() && LHSType->castAs<PointerType>() 12665 ->getPointeeType()->isVoidType()))) 12666 Diag(Loc, diag::err_typecheck_comparison_of_distinct_blocks) 12667 << LHSType << RHSType << LHS.get()->getSourceRange() 12668 << RHS.get()->getSourceRange(); 12669 } 12670 if (LHSIsNull && !RHSIsNull) 12671 LHS = ImpCastExprToType(LHS.get(), RHSType, 12672 RHSType->isPointerType() ? CK_BitCast 12673 : CK_AnyPointerToBlockPointerCast); 12674 else 12675 RHS = ImpCastExprToType(RHS.get(), LHSType, 12676 LHSType->isPointerType() ? CK_BitCast 12677 : CK_AnyPointerToBlockPointerCast); 12678 return computeResultTy(); 12679 } 12680 12681 if (LHSType->isObjCObjectPointerType() || 12682 RHSType->isObjCObjectPointerType()) { 12683 const PointerType *LPT = LHSType->getAs<PointerType>(); 12684 const PointerType *RPT = RHSType->getAs<PointerType>(); 12685 if (LPT || RPT) { 12686 bool LPtrToVoid = LPT ? LPT->getPointeeType()->isVoidType() : false; 12687 bool RPtrToVoid = RPT ? RPT->getPointeeType()->isVoidType() : false; 12688 12689 if (!LPtrToVoid && !RPtrToVoid && 12690 !Context.typesAreCompatible(LHSType, RHSType)) { 12691 diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS, 12692 /*isError*/false); 12693 } 12694 // FIXME: If LPtrToVoid, we should presumably convert the LHS rather than 12695 // the RHS, but we have test coverage for this behavior. 12696 // FIXME: Consider using convertPointersToCompositeType in C++. 12697 if (LHSIsNull && !RHSIsNull) { 12698 Expr *E = LHS.get(); 12699 if (getLangOpts().ObjCAutoRefCount) 12700 CheckObjCConversion(SourceRange(), RHSType, E, 12701 CCK_ImplicitConversion); 12702 LHS = ImpCastExprToType(E, RHSType, 12703 RPT ? CK_BitCast :CK_CPointerToObjCPointerCast); 12704 } 12705 else { 12706 Expr *E = RHS.get(); 12707 if (getLangOpts().ObjCAutoRefCount) 12708 CheckObjCConversion(SourceRange(), LHSType, E, CCK_ImplicitConversion, 12709 /*Diagnose=*/true, 12710 /*DiagnoseCFAudited=*/false, Opc); 12711 RHS = ImpCastExprToType(E, LHSType, 12712 LPT ? CK_BitCast :CK_CPointerToObjCPointerCast); 12713 } 12714 return computeResultTy(); 12715 } 12716 if (LHSType->isObjCObjectPointerType() && 12717 RHSType->isObjCObjectPointerType()) { 12718 if (!Context.areComparableObjCPointerTypes(LHSType, RHSType)) 12719 diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS, 12720 /*isError*/false); 12721 if (isObjCObjectLiteral(LHS) || isObjCObjectLiteral(RHS)) 12722 diagnoseObjCLiteralComparison(*this, Loc, LHS, RHS, Opc); 12723 12724 if (LHSIsNull && !RHSIsNull) 12725 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_BitCast); 12726 else 12727 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast); 12728 return computeResultTy(); 12729 } 12730 12731 if (!IsOrdered && LHSType->isBlockPointerType() && 12732 RHSType->isBlockCompatibleObjCPointerType(Context)) { 12733 LHS = ImpCastExprToType(LHS.get(), RHSType, 12734 CK_BlockPointerToObjCPointerCast); 12735 return computeResultTy(); 12736 } else if (!IsOrdered && 12737 LHSType->isBlockCompatibleObjCPointerType(Context) && 12738 RHSType->isBlockPointerType()) { 12739 RHS = ImpCastExprToType(RHS.get(), LHSType, 12740 CK_BlockPointerToObjCPointerCast); 12741 return computeResultTy(); 12742 } 12743 } 12744 if ((LHSType->isAnyPointerType() && RHSType->isIntegerType()) || 12745 (LHSType->isIntegerType() && RHSType->isAnyPointerType())) { 12746 unsigned DiagID = 0; 12747 bool isError = false; 12748 if (LangOpts.DebuggerSupport) { 12749 // Under a debugger, allow the comparison of pointers to integers, 12750 // since users tend to want to compare addresses. 12751 } else if ((LHSIsNull && LHSType->isIntegerType()) || 12752 (RHSIsNull && RHSType->isIntegerType())) { 12753 if (IsOrdered) { 12754 isError = getLangOpts().CPlusPlus; 12755 DiagID = 12756 isError ? diag::err_typecheck_ordered_comparison_of_pointer_and_zero 12757 : diag::ext_typecheck_ordered_comparison_of_pointer_and_zero; 12758 } 12759 } else if (getLangOpts().CPlusPlus) { 12760 DiagID = diag::err_typecheck_comparison_of_pointer_integer; 12761 isError = true; 12762 } else if (IsOrdered) 12763 DiagID = diag::ext_typecheck_ordered_comparison_of_pointer_integer; 12764 else 12765 DiagID = diag::ext_typecheck_comparison_of_pointer_integer; 12766 12767 if (DiagID) { 12768 Diag(Loc, DiagID) 12769 << LHSType << RHSType << LHS.get()->getSourceRange() 12770 << RHS.get()->getSourceRange(); 12771 if (isError) 12772 return QualType(); 12773 } 12774 12775 if (LHSType->isIntegerType()) 12776 LHS = ImpCastExprToType(LHS.get(), RHSType, 12777 LHSIsNull ? CK_NullToPointer : CK_IntegralToPointer); 12778 else 12779 RHS = ImpCastExprToType(RHS.get(), LHSType, 12780 RHSIsNull ? CK_NullToPointer : CK_IntegralToPointer); 12781 return computeResultTy(); 12782 } 12783 12784 // Handle block pointers. 12785 if (!IsOrdered && RHSIsNull 12786 && LHSType->isBlockPointerType() && RHSType->isIntegerType()) { 12787 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 12788 return computeResultTy(); 12789 } 12790 if (!IsOrdered && LHSIsNull 12791 && LHSType->isIntegerType() && RHSType->isBlockPointerType()) { 12792 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer); 12793 return computeResultTy(); 12794 } 12795 12796 if (getLangOpts().getOpenCLCompatibleVersion() >= 200) { 12797 if (LHSType->isClkEventT() && RHSType->isClkEventT()) { 12798 return computeResultTy(); 12799 } 12800 12801 if (LHSType->isQueueT() && RHSType->isQueueT()) { 12802 return computeResultTy(); 12803 } 12804 12805 if (LHSIsNull && RHSType->isQueueT()) { 12806 LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer); 12807 return computeResultTy(); 12808 } 12809 12810 if (LHSType->isQueueT() && RHSIsNull) { 12811 RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer); 12812 return computeResultTy(); 12813 } 12814 } 12815 12816 return InvalidOperands(Loc, LHS, RHS); 12817 } 12818 12819 // Return a signed ext_vector_type that is of identical size and number of 12820 // elements. For floating point vectors, return an integer type of identical 12821 // size and number of elements. In the non ext_vector_type case, search from 12822 // the largest type to the smallest type to avoid cases where long long == long, 12823 // where long gets picked over long long. 12824 QualType Sema::GetSignedVectorType(QualType V) { 12825 const VectorType *VTy = V->castAs<VectorType>(); 12826 unsigned TypeSize = Context.getTypeSize(VTy->getElementType()); 12827 12828 if (isa<ExtVectorType>(VTy)) { 12829 if (VTy->isExtVectorBoolType()) 12830 return Context.getExtVectorType(Context.BoolTy, VTy->getNumElements()); 12831 if (TypeSize == Context.getTypeSize(Context.CharTy)) 12832 return Context.getExtVectorType(Context.CharTy, VTy->getNumElements()); 12833 if (TypeSize == Context.getTypeSize(Context.ShortTy)) 12834 return Context.getExtVectorType(Context.ShortTy, VTy->getNumElements()); 12835 if (TypeSize == Context.getTypeSize(Context.IntTy)) 12836 return Context.getExtVectorType(Context.IntTy, VTy->getNumElements()); 12837 if (TypeSize == Context.getTypeSize(Context.Int128Ty)) 12838 return Context.getExtVectorType(Context.Int128Ty, VTy->getNumElements()); 12839 if (TypeSize == Context.getTypeSize(Context.LongTy)) 12840 return Context.getExtVectorType(Context.LongTy, VTy->getNumElements()); 12841 assert(TypeSize == Context.getTypeSize(Context.LongLongTy) && 12842 "Unhandled vector element size in vector compare"); 12843 return Context.getExtVectorType(Context.LongLongTy, VTy->getNumElements()); 12844 } 12845 12846 if (TypeSize == Context.getTypeSize(Context.Int128Ty)) 12847 return Context.getVectorType(Context.Int128Ty, VTy->getNumElements(), 12848 VectorType::GenericVector); 12849 if (TypeSize == Context.getTypeSize(Context.LongLongTy)) 12850 return Context.getVectorType(Context.LongLongTy, VTy->getNumElements(), 12851 VectorType::GenericVector); 12852 if (TypeSize == Context.getTypeSize(Context.LongTy)) 12853 return Context.getVectorType(Context.LongTy, VTy->getNumElements(), 12854 VectorType::GenericVector); 12855 if (TypeSize == Context.getTypeSize(Context.IntTy)) 12856 return Context.getVectorType(Context.IntTy, VTy->getNumElements(), 12857 VectorType::GenericVector); 12858 if (TypeSize == Context.getTypeSize(Context.ShortTy)) 12859 return Context.getVectorType(Context.ShortTy, VTy->getNumElements(), 12860 VectorType::GenericVector); 12861 assert(TypeSize == Context.getTypeSize(Context.CharTy) && 12862 "Unhandled vector element size in vector compare"); 12863 return Context.getVectorType(Context.CharTy, VTy->getNumElements(), 12864 VectorType::GenericVector); 12865 } 12866 12867 QualType Sema::GetSignedSizelessVectorType(QualType V) { 12868 const BuiltinType *VTy = V->castAs<BuiltinType>(); 12869 assert(VTy->isSizelessBuiltinType() && "expected sizeless type"); 12870 12871 const QualType ETy = V->getSveEltType(Context); 12872 const auto TypeSize = Context.getTypeSize(ETy); 12873 12874 const QualType IntTy = Context.getIntTypeForBitwidth(TypeSize, true); 12875 const llvm::ElementCount VecSize = Context.getBuiltinVectorTypeInfo(VTy).EC; 12876 return Context.getScalableVectorType(IntTy, VecSize.getKnownMinValue()); 12877 } 12878 12879 /// CheckVectorCompareOperands - vector comparisons are a clang extension that 12880 /// operates on extended vector types. Instead of producing an IntTy result, 12881 /// like a scalar comparison, a vector comparison produces a vector of integer 12882 /// types. 12883 QualType Sema::CheckVectorCompareOperands(ExprResult &LHS, ExprResult &RHS, 12884 SourceLocation Loc, 12885 BinaryOperatorKind Opc) { 12886 if (Opc == BO_Cmp) { 12887 Diag(Loc, diag::err_three_way_vector_comparison); 12888 return QualType(); 12889 } 12890 12891 // Check to make sure we're operating on vectors of the same type and width, 12892 // Allowing one side to be a scalar of element type. 12893 QualType vType = 12894 CheckVectorOperands(LHS, RHS, Loc, /*isCompAssign*/ false, 12895 /*AllowBothBool*/ true, 12896 /*AllowBoolConversions*/ getLangOpts().ZVector, 12897 /*AllowBooleanOperation*/ true, 12898 /*ReportInvalid*/ true); 12899 if (vType.isNull()) 12900 return vType; 12901 12902 QualType LHSType = LHS.get()->getType(); 12903 12904 // Determine the return type of a vector compare. By default clang will return 12905 // a scalar for all vector compares except vector bool and vector pixel. 12906 // With the gcc compiler we will always return a vector type and with the xl 12907 // compiler we will always return a scalar type. This switch allows choosing 12908 // which behavior is prefered. 12909 if (getLangOpts().AltiVec) { 12910 switch (getLangOpts().getAltivecSrcCompat()) { 12911 case LangOptions::AltivecSrcCompatKind::Mixed: 12912 // If AltiVec, the comparison results in a numeric type, i.e. 12913 // bool for C++, int for C 12914 if (vType->castAs<VectorType>()->getVectorKind() == 12915 VectorType::AltiVecVector) 12916 return Context.getLogicalOperationType(); 12917 else 12918 Diag(Loc, diag::warn_deprecated_altivec_src_compat); 12919 break; 12920 case LangOptions::AltivecSrcCompatKind::GCC: 12921 // For GCC we always return the vector type. 12922 break; 12923 case LangOptions::AltivecSrcCompatKind::XL: 12924 return Context.getLogicalOperationType(); 12925 break; 12926 } 12927 } 12928 12929 // For non-floating point types, check for self-comparisons of the form 12930 // x == x, x != x, x < x, etc. These always evaluate to a constant, and 12931 // often indicate logic errors in the program. 12932 diagnoseTautologicalComparison(*this, Loc, LHS.get(), RHS.get(), Opc); 12933 12934 // Check for comparisons of floating point operands using != and ==. 12935 if (BinaryOperator::isEqualityOp(Opc) && 12936 LHSType->hasFloatingRepresentation()) { 12937 assert(RHS.get()->getType()->hasFloatingRepresentation()); 12938 CheckFloatComparison(Loc, LHS.get(), RHS.get(), Opc); 12939 } 12940 12941 // Return a signed type for the vector. 12942 return GetSignedVectorType(vType); 12943 } 12944 12945 QualType Sema::CheckSizelessVectorCompareOperands(ExprResult &LHS, 12946 ExprResult &RHS, 12947 SourceLocation Loc, 12948 BinaryOperatorKind Opc) { 12949 if (Opc == BO_Cmp) { 12950 Diag(Loc, diag::err_three_way_vector_comparison); 12951 return QualType(); 12952 } 12953 12954 // Check to make sure we're operating on vectors of the same type and width, 12955 // Allowing one side to be a scalar of element type. 12956 QualType vType = CheckSizelessVectorOperands( 12957 LHS, RHS, Loc, /*isCompAssign*/ false, ACK_Comparison); 12958 12959 if (vType.isNull()) 12960 return vType; 12961 12962 QualType LHSType = LHS.get()->getType(); 12963 12964 // For non-floating point types, check for self-comparisons of the form 12965 // x == x, x != x, x < x, etc. These always evaluate to a constant, and 12966 // often indicate logic errors in the program. 12967 diagnoseTautologicalComparison(*this, Loc, LHS.get(), RHS.get(), Opc); 12968 12969 // Check for comparisons of floating point operands using != and ==. 12970 if (BinaryOperator::isEqualityOp(Opc) && 12971 LHSType->hasFloatingRepresentation()) { 12972 assert(RHS.get()->getType()->hasFloatingRepresentation()); 12973 CheckFloatComparison(Loc, LHS.get(), RHS.get(), Opc); 12974 } 12975 12976 const BuiltinType *LHSBuiltinTy = LHSType->getAs<BuiltinType>(); 12977 const BuiltinType *RHSBuiltinTy = RHS.get()->getType()->getAs<BuiltinType>(); 12978 12979 if (LHSBuiltinTy && RHSBuiltinTy && LHSBuiltinTy->isSVEBool() && 12980 RHSBuiltinTy->isSVEBool()) 12981 return LHSType; 12982 12983 // Return a signed type for the vector. 12984 return GetSignedSizelessVectorType(vType); 12985 } 12986 12987 static void diagnoseXorMisusedAsPow(Sema &S, const ExprResult &XorLHS, 12988 const ExprResult &XorRHS, 12989 const SourceLocation Loc) { 12990 // Do not diagnose macros. 12991 if (Loc.isMacroID()) 12992 return; 12993 12994 // Do not diagnose if both LHS and RHS are macros. 12995 if (XorLHS.get()->getExprLoc().isMacroID() && 12996 XorRHS.get()->getExprLoc().isMacroID()) 12997 return; 12998 12999 bool Negative = false; 13000 bool ExplicitPlus = false; 13001 const auto *LHSInt = dyn_cast<IntegerLiteral>(XorLHS.get()); 13002 const auto *RHSInt = dyn_cast<IntegerLiteral>(XorRHS.get()); 13003 13004 if (!LHSInt) 13005 return; 13006 if (!RHSInt) { 13007 // Check negative literals. 13008 if (const auto *UO = dyn_cast<UnaryOperator>(XorRHS.get())) { 13009 UnaryOperatorKind Opc = UO->getOpcode(); 13010 if (Opc != UO_Minus && Opc != UO_Plus) 13011 return; 13012 RHSInt = dyn_cast<IntegerLiteral>(UO->getSubExpr()); 13013 if (!RHSInt) 13014 return; 13015 Negative = (Opc == UO_Minus); 13016 ExplicitPlus = !Negative; 13017 } else { 13018 return; 13019 } 13020 } 13021 13022 const llvm::APInt &LeftSideValue = LHSInt->getValue(); 13023 llvm::APInt RightSideValue = RHSInt->getValue(); 13024 if (LeftSideValue != 2 && LeftSideValue != 10) 13025 return; 13026 13027 if (LeftSideValue.getBitWidth() != RightSideValue.getBitWidth()) 13028 return; 13029 13030 CharSourceRange ExprRange = CharSourceRange::getCharRange( 13031 LHSInt->getBeginLoc(), S.getLocForEndOfToken(RHSInt->getLocation())); 13032 llvm::StringRef ExprStr = 13033 Lexer::getSourceText(ExprRange, S.getSourceManager(), S.getLangOpts()); 13034 13035 CharSourceRange XorRange = 13036 CharSourceRange::getCharRange(Loc, S.getLocForEndOfToken(Loc)); 13037 llvm::StringRef XorStr = 13038 Lexer::getSourceText(XorRange, S.getSourceManager(), S.getLangOpts()); 13039 // Do not diagnose if xor keyword/macro is used. 13040 if (XorStr == "xor") 13041 return; 13042 13043 std::string LHSStr = std::string(Lexer::getSourceText( 13044 CharSourceRange::getTokenRange(LHSInt->getSourceRange()), 13045 S.getSourceManager(), S.getLangOpts())); 13046 std::string RHSStr = std::string(Lexer::getSourceText( 13047 CharSourceRange::getTokenRange(RHSInt->getSourceRange()), 13048 S.getSourceManager(), S.getLangOpts())); 13049 13050 if (Negative) { 13051 RightSideValue = -RightSideValue; 13052 RHSStr = "-" + RHSStr; 13053 } else if (ExplicitPlus) { 13054 RHSStr = "+" + RHSStr; 13055 } 13056 13057 StringRef LHSStrRef = LHSStr; 13058 StringRef RHSStrRef = RHSStr; 13059 // Do not diagnose literals with digit separators, binary, hexadecimal, octal 13060 // literals. 13061 if (LHSStrRef.startswith("0b") || LHSStrRef.startswith("0B") || 13062 RHSStrRef.startswith("0b") || RHSStrRef.startswith("0B") || 13063 LHSStrRef.startswith("0x") || LHSStrRef.startswith("0X") || 13064 RHSStrRef.startswith("0x") || RHSStrRef.startswith("0X") || 13065 (LHSStrRef.size() > 1 && LHSStrRef.startswith("0")) || 13066 (RHSStrRef.size() > 1 && RHSStrRef.startswith("0")) || 13067 LHSStrRef.contains('\'') || RHSStrRef.contains('\'')) 13068 return; 13069 13070 bool SuggestXor = 13071 S.getLangOpts().CPlusPlus || S.getPreprocessor().isMacroDefined("xor"); 13072 const llvm::APInt XorValue = LeftSideValue ^ RightSideValue; 13073 int64_t RightSideIntValue = RightSideValue.getSExtValue(); 13074 if (LeftSideValue == 2 && RightSideIntValue >= 0) { 13075 std::string SuggestedExpr = "1 << " + RHSStr; 13076 bool Overflow = false; 13077 llvm::APInt One = (LeftSideValue - 1); 13078 llvm::APInt PowValue = One.sshl_ov(RightSideValue, Overflow); 13079 if (Overflow) { 13080 if (RightSideIntValue < 64) 13081 S.Diag(Loc, diag::warn_xor_used_as_pow_base) 13082 << ExprStr << toString(XorValue, 10, true) << ("1LL << " + RHSStr) 13083 << FixItHint::CreateReplacement(ExprRange, "1LL << " + RHSStr); 13084 else if (RightSideIntValue == 64) 13085 S.Diag(Loc, diag::warn_xor_used_as_pow) 13086 << ExprStr << toString(XorValue, 10, true); 13087 else 13088 return; 13089 } else { 13090 S.Diag(Loc, diag::warn_xor_used_as_pow_base_extra) 13091 << ExprStr << toString(XorValue, 10, true) << SuggestedExpr 13092 << toString(PowValue, 10, true) 13093 << FixItHint::CreateReplacement( 13094 ExprRange, (RightSideIntValue == 0) ? "1" : SuggestedExpr); 13095 } 13096 13097 S.Diag(Loc, diag::note_xor_used_as_pow_silence) 13098 << ("0x2 ^ " + RHSStr) << SuggestXor; 13099 } else if (LeftSideValue == 10) { 13100 std::string SuggestedValue = "1e" + std::to_string(RightSideIntValue); 13101 S.Diag(Loc, diag::warn_xor_used_as_pow_base) 13102 << ExprStr << toString(XorValue, 10, true) << SuggestedValue 13103 << FixItHint::CreateReplacement(ExprRange, SuggestedValue); 13104 S.Diag(Loc, diag::note_xor_used_as_pow_silence) 13105 << ("0xA ^ " + RHSStr) << SuggestXor; 13106 } 13107 } 13108 13109 QualType Sema::CheckVectorLogicalOperands(ExprResult &LHS, ExprResult &RHS, 13110 SourceLocation Loc) { 13111 // Ensure that either both operands are of the same vector type, or 13112 // one operand is of a vector type and the other is of its element type. 13113 QualType vType = CheckVectorOperands(LHS, RHS, Loc, false, 13114 /*AllowBothBool*/ true, 13115 /*AllowBoolConversions*/ false, 13116 /*AllowBooleanOperation*/ false, 13117 /*ReportInvalid*/ false); 13118 if (vType.isNull()) 13119 return InvalidOperands(Loc, LHS, RHS); 13120 if (getLangOpts().OpenCL && 13121 getLangOpts().getOpenCLCompatibleVersion() < 120 && 13122 vType->hasFloatingRepresentation()) 13123 return InvalidOperands(Loc, LHS, RHS); 13124 // FIXME: The check for C++ here is for GCC compatibility. GCC rejects the 13125 // usage of the logical operators && and || with vectors in C. This 13126 // check could be notionally dropped. 13127 if (!getLangOpts().CPlusPlus && 13128 !(isa<ExtVectorType>(vType->getAs<VectorType>()))) 13129 return InvalidLogicalVectorOperands(Loc, LHS, RHS); 13130 13131 return GetSignedVectorType(LHS.get()->getType()); 13132 } 13133 13134 QualType Sema::CheckMatrixElementwiseOperands(ExprResult &LHS, ExprResult &RHS, 13135 SourceLocation Loc, 13136 bool IsCompAssign) { 13137 if (!IsCompAssign) { 13138 LHS = DefaultFunctionArrayLvalueConversion(LHS.get()); 13139 if (LHS.isInvalid()) 13140 return QualType(); 13141 } 13142 RHS = DefaultFunctionArrayLvalueConversion(RHS.get()); 13143 if (RHS.isInvalid()) 13144 return QualType(); 13145 13146 // For conversion purposes, we ignore any qualifiers. 13147 // For example, "const float" and "float" are equivalent. 13148 QualType LHSType = LHS.get()->getType().getUnqualifiedType(); 13149 QualType RHSType = RHS.get()->getType().getUnqualifiedType(); 13150 13151 const MatrixType *LHSMatType = LHSType->getAs<MatrixType>(); 13152 const MatrixType *RHSMatType = RHSType->getAs<MatrixType>(); 13153 assert((LHSMatType || RHSMatType) && "At least one operand must be a matrix"); 13154 13155 if (Context.hasSameType(LHSType, RHSType)) 13156 return LHSType; 13157 13158 // Type conversion may change LHS/RHS. Keep copies to the original results, in 13159 // case we have to return InvalidOperands. 13160 ExprResult OriginalLHS = LHS; 13161 ExprResult OriginalRHS = RHS; 13162 if (LHSMatType && !RHSMatType) { 13163 RHS = tryConvertExprToType(RHS.get(), LHSMatType->getElementType()); 13164 if (!RHS.isInvalid()) 13165 return LHSType; 13166 13167 return InvalidOperands(Loc, OriginalLHS, OriginalRHS); 13168 } 13169 13170 if (!LHSMatType && RHSMatType) { 13171 LHS = tryConvertExprToType(LHS.get(), RHSMatType->getElementType()); 13172 if (!LHS.isInvalid()) 13173 return RHSType; 13174 return InvalidOperands(Loc, OriginalLHS, OriginalRHS); 13175 } 13176 13177 return InvalidOperands(Loc, LHS, RHS); 13178 } 13179 13180 QualType Sema::CheckMatrixMultiplyOperands(ExprResult &LHS, ExprResult &RHS, 13181 SourceLocation Loc, 13182 bool IsCompAssign) { 13183 if (!IsCompAssign) { 13184 LHS = DefaultFunctionArrayLvalueConversion(LHS.get()); 13185 if (LHS.isInvalid()) 13186 return QualType(); 13187 } 13188 RHS = DefaultFunctionArrayLvalueConversion(RHS.get()); 13189 if (RHS.isInvalid()) 13190 return QualType(); 13191 13192 auto *LHSMatType = LHS.get()->getType()->getAs<ConstantMatrixType>(); 13193 auto *RHSMatType = RHS.get()->getType()->getAs<ConstantMatrixType>(); 13194 assert((LHSMatType || RHSMatType) && "At least one operand must be a matrix"); 13195 13196 if (LHSMatType && RHSMatType) { 13197 if (LHSMatType->getNumColumns() != RHSMatType->getNumRows()) 13198 return InvalidOperands(Loc, LHS, RHS); 13199 13200 if (!Context.hasSameType(LHSMatType->getElementType(), 13201 RHSMatType->getElementType())) 13202 return InvalidOperands(Loc, LHS, RHS); 13203 13204 return Context.getConstantMatrixType(LHSMatType->getElementType(), 13205 LHSMatType->getNumRows(), 13206 RHSMatType->getNumColumns()); 13207 } 13208 return CheckMatrixElementwiseOperands(LHS, RHS, Loc, IsCompAssign); 13209 } 13210 13211 static bool isLegalBoolVectorBinaryOp(BinaryOperatorKind Opc) { 13212 switch (Opc) { 13213 default: 13214 return false; 13215 case BO_And: 13216 case BO_AndAssign: 13217 case BO_Or: 13218 case BO_OrAssign: 13219 case BO_Xor: 13220 case BO_XorAssign: 13221 return true; 13222 } 13223 } 13224 13225 inline QualType Sema::CheckBitwiseOperands(ExprResult &LHS, ExprResult &RHS, 13226 SourceLocation Loc, 13227 BinaryOperatorKind Opc) { 13228 checkArithmeticNull(*this, LHS, RHS, Loc, /*IsCompare=*/false); 13229 13230 bool IsCompAssign = 13231 Opc == BO_AndAssign || Opc == BO_OrAssign || Opc == BO_XorAssign; 13232 13233 bool LegalBoolVecOperator = isLegalBoolVectorBinaryOp(Opc); 13234 13235 if (LHS.get()->getType()->isVectorType() || 13236 RHS.get()->getType()->isVectorType()) { 13237 if (LHS.get()->getType()->hasIntegerRepresentation() && 13238 RHS.get()->getType()->hasIntegerRepresentation()) 13239 return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign, 13240 /*AllowBothBool*/ true, 13241 /*AllowBoolConversions*/ getLangOpts().ZVector, 13242 /*AllowBooleanOperation*/ LegalBoolVecOperator, 13243 /*ReportInvalid*/ true); 13244 return InvalidOperands(Loc, LHS, RHS); 13245 } 13246 13247 if (LHS.get()->getType()->isVLSTBuiltinType() || 13248 RHS.get()->getType()->isVLSTBuiltinType()) { 13249 if (LHS.get()->getType()->hasIntegerRepresentation() && 13250 RHS.get()->getType()->hasIntegerRepresentation()) 13251 return CheckSizelessVectorOperands(LHS, RHS, Loc, IsCompAssign, 13252 ACK_BitwiseOp); 13253 return InvalidOperands(Loc, LHS, RHS); 13254 } 13255 13256 if (LHS.get()->getType()->isVLSTBuiltinType() || 13257 RHS.get()->getType()->isVLSTBuiltinType()) { 13258 if (LHS.get()->getType()->hasIntegerRepresentation() && 13259 RHS.get()->getType()->hasIntegerRepresentation()) 13260 return CheckSizelessVectorOperands(LHS, RHS, Loc, IsCompAssign, 13261 ACK_BitwiseOp); 13262 return InvalidOperands(Loc, LHS, RHS); 13263 } 13264 13265 if (Opc == BO_And) 13266 diagnoseLogicalNotOnLHSofCheck(*this, LHS, RHS, Loc, Opc); 13267 13268 if (LHS.get()->getType()->hasFloatingRepresentation() || 13269 RHS.get()->getType()->hasFloatingRepresentation()) 13270 return InvalidOperands(Loc, LHS, RHS); 13271 13272 ExprResult LHSResult = LHS, RHSResult = RHS; 13273 QualType compType = UsualArithmeticConversions( 13274 LHSResult, RHSResult, Loc, IsCompAssign ? ACK_CompAssign : ACK_BitwiseOp); 13275 if (LHSResult.isInvalid() || RHSResult.isInvalid()) 13276 return QualType(); 13277 LHS = LHSResult.get(); 13278 RHS = RHSResult.get(); 13279 13280 if (Opc == BO_Xor) 13281 diagnoseXorMisusedAsPow(*this, LHS, RHS, Loc); 13282 13283 if (!compType.isNull() && compType->isIntegralOrUnscopedEnumerationType()) 13284 return compType; 13285 return InvalidOperands(Loc, LHS, RHS); 13286 } 13287 13288 // C99 6.5.[13,14] 13289 inline QualType Sema::CheckLogicalOperands(ExprResult &LHS, ExprResult &RHS, 13290 SourceLocation Loc, 13291 BinaryOperatorKind Opc) { 13292 // Check vector operands differently. 13293 if (LHS.get()->getType()->isVectorType() || 13294 RHS.get()->getType()->isVectorType()) 13295 return CheckVectorLogicalOperands(LHS, RHS, Loc); 13296 13297 bool EnumConstantInBoolContext = false; 13298 for (const ExprResult &HS : {LHS, RHS}) { 13299 if (const auto *DREHS = dyn_cast<DeclRefExpr>(HS.get())) { 13300 const auto *ECDHS = dyn_cast<EnumConstantDecl>(DREHS->getDecl()); 13301 if (ECDHS && ECDHS->getInitVal() != 0 && ECDHS->getInitVal() != 1) 13302 EnumConstantInBoolContext = true; 13303 } 13304 } 13305 13306 if (EnumConstantInBoolContext) 13307 Diag(Loc, diag::warn_enum_constant_in_bool_context); 13308 13309 // Diagnose cases where the user write a logical and/or but probably meant a 13310 // bitwise one. We do this when the LHS is a non-bool integer and the RHS 13311 // is a constant. 13312 if (!EnumConstantInBoolContext && LHS.get()->getType()->isIntegerType() && 13313 !LHS.get()->getType()->isBooleanType() && 13314 RHS.get()->getType()->isIntegerType() && !RHS.get()->isValueDependent() && 13315 // Don't warn in macros or template instantiations. 13316 !Loc.isMacroID() && !inTemplateInstantiation()) { 13317 // If the RHS can be constant folded, and if it constant folds to something 13318 // that isn't 0 or 1 (which indicate a potential logical operation that 13319 // happened to fold to true/false) then warn. 13320 // Parens on the RHS are ignored. 13321 Expr::EvalResult EVResult; 13322 if (RHS.get()->EvaluateAsInt(EVResult, Context)) { 13323 llvm::APSInt Result = EVResult.Val.getInt(); 13324 if ((getLangOpts().Bool && !RHS.get()->getType()->isBooleanType() && 13325 !RHS.get()->getExprLoc().isMacroID()) || 13326 (Result != 0 && Result != 1)) { 13327 Diag(Loc, diag::warn_logical_instead_of_bitwise) 13328 << RHS.get()->getSourceRange() << (Opc == BO_LAnd ? "&&" : "||"); 13329 // Suggest replacing the logical operator with the bitwise version 13330 Diag(Loc, diag::note_logical_instead_of_bitwise_change_operator) 13331 << (Opc == BO_LAnd ? "&" : "|") 13332 << FixItHint::CreateReplacement( 13333 SourceRange(Loc, getLocForEndOfToken(Loc)), 13334 Opc == BO_LAnd ? "&" : "|"); 13335 if (Opc == BO_LAnd) 13336 // Suggest replacing "Foo() && kNonZero" with "Foo()" 13337 Diag(Loc, diag::note_logical_instead_of_bitwise_remove_constant) 13338 << FixItHint::CreateRemoval( 13339 SourceRange(getLocForEndOfToken(LHS.get()->getEndLoc()), 13340 RHS.get()->getEndLoc())); 13341 } 13342 } 13343 } 13344 13345 if (!Context.getLangOpts().CPlusPlus) { 13346 // OpenCL v1.1 s6.3.g: The logical operators and (&&), or (||) do 13347 // not operate on the built-in scalar and vector float types. 13348 if (Context.getLangOpts().OpenCL && 13349 Context.getLangOpts().OpenCLVersion < 120) { 13350 if (LHS.get()->getType()->isFloatingType() || 13351 RHS.get()->getType()->isFloatingType()) 13352 return InvalidOperands(Loc, LHS, RHS); 13353 } 13354 13355 LHS = UsualUnaryConversions(LHS.get()); 13356 if (LHS.isInvalid()) 13357 return QualType(); 13358 13359 RHS = UsualUnaryConversions(RHS.get()); 13360 if (RHS.isInvalid()) 13361 return QualType(); 13362 13363 if (!LHS.get()->getType()->isScalarType() || 13364 !RHS.get()->getType()->isScalarType()) 13365 return InvalidOperands(Loc, LHS, RHS); 13366 13367 return Context.IntTy; 13368 } 13369 13370 // The following is safe because we only use this method for 13371 // non-overloadable operands. 13372 13373 // C++ [expr.log.and]p1 13374 // C++ [expr.log.or]p1 13375 // The operands are both contextually converted to type bool. 13376 ExprResult LHSRes = PerformContextuallyConvertToBool(LHS.get()); 13377 if (LHSRes.isInvalid()) 13378 return InvalidOperands(Loc, LHS, RHS); 13379 LHS = LHSRes; 13380 13381 ExprResult RHSRes = PerformContextuallyConvertToBool(RHS.get()); 13382 if (RHSRes.isInvalid()) 13383 return InvalidOperands(Loc, LHS, RHS); 13384 RHS = RHSRes; 13385 13386 // C++ [expr.log.and]p2 13387 // C++ [expr.log.or]p2 13388 // The result is a bool. 13389 return Context.BoolTy; 13390 } 13391 13392 static bool IsReadonlyMessage(Expr *E, Sema &S) { 13393 const MemberExpr *ME = dyn_cast<MemberExpr>(E); 13394 if (!ME) return false; 13395 if (!isa<FieldDecl>(ME->getMemberDecl())) return false; 13396 ObjCMessageExpr *Base = dyn_cast<ObjCMessageExpr>( 13397 ME->getBase()->IgnoreImplicit()->IgnoreParenImpCasts()); 13398 if (!Base) return false; 13399 return Base->getMethodDecl() != nullptr; 13400 } 13401 13402 /// Is the given expression (which must be 'const') a reference to a 13403 /// variable which was originally non-const, but which has become 13404 /// 'const' due to being captured within a block? 13405 enum NonConstCaptureKind { NCCK_None, NCCK_Block, NCCK_Lambda }; 13406 static NonConstCaptureKind isReferenceToNonConstCapture(Sema &S, Expr *E) { 13407 assert(E->isLValue() && E->getType().isConstQualified()); 13408 E = E->IgnoreParens(); 13409 13410 // Must be a reference to a declaration from an enclosing scope. 13411 DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E); 13412 if (!DRE) return NCCK_None; 13413 if (!DRE->refersToEnclosingVariableOrCapture()) return NCCK_None; 13414 13415 // The declaration must be a variable which is not declared 'const'. 13416 VarDecl *var = dyn_cast<VarDecl>(DRE->getDecl()); 13417 if (!var) return NCCK_None; 13418 if (var->getType().isConstQualified()) return NCCK_None; 13419 assert(var->hasLocalStorage() && "capture added 'const' to non-local?"); 13420 13421 // Decide whether the first capture was for a block or a lambda. 13422 DeclContext *DC = S.CurContext, *Prev = nullptr; 13423 // Decide whether the first capture was for a block or a lambda. 13424 while (DC) { 13425 // For init-capture, it is possible that the variable belongs to the 13426 // template pattern of the current context. 13427 if (auto *FD = dyn_cast<FunctionDecl>(DC)) 13428 if (var->isInitCapture() && 13429 FD->getTemplateInstantiationPattern() == var->getDeclContext()) 13430 break; 13431 if (DC == var->getDeclContext()) 13432 break; 13433 Prev = DC; 13434 DC = DC->getParent(); 13435 } 13436 // Unless we have an init-capture, we've gone one step too far. 13437 if (!var->isInitCapture()) 13438 DC = Prev; 13439 return (isa<BlockDecl>(DC) ? NCCK_Block : NCCK_Lambda); 13440 } 13441 13442 static bool IsTypeModifiable(QualType Ty, bool IsDereference) { 13443 Ty = Ty.getNonReferenceType(); 13444 if (IsDereference && Ty->isPointerType()) 13445 Ty = Ty->getPointeeType(); 13446 return !Ty.isConstQualified(); 13447 } 13448 13449 // Update err_typecheck_assign_const and note_typecheck_assign_const 13450 // when this enum is changed. 13451 enum { 13452 ConstFunction, 13453 ConstVariable, 13454 ConstMember, 13455 ConstMethod, 13456 NestedConstMember, 13457 ConstUnknown, // Keep as last element 13458 }; 13459 13460 /// Emit the "read-only variable not assignable" error and print notes to give 13461 /// more information about why the variable is not assignable, such as pointing 13462 /// to the declaration of a const variable, showing that a method is const, or 13463 /// that the function is returning a const reference. 13464 static void DiagnoseConstAssignment(Sema &S, const Expr *E, 13465 SourceLocation Loc) { 13466 SourceRange ExprRange = E->getSourceRange(); 13467 13468 // Only emit one error on the first const found. All other consts will emit 13469 // a note to the error. 13470 bool DiagnosticEmitted = false; 13471 13472 // Track if the current expression is the result of a dereference, and if the 13473 // next checked expression is the result of a dereference. 13474 bool IsDereference = false; 13475 bool NextIsDereference = false; 13476 13477 // Loop to process MemberExpr chains. 13478 while (true) { 13479 IsDereference = NextIsDereference; 13480 13481 E = E->IgnoreImplicit()->IgnoreParenImpCasts(); 13482 if (const MemberExpr *ME = dyn_cast<MemberExpr>(E)) { 13483 NextIsDereference = ME->isArrow(); 13484 const ValueDecl *VD = ME->getMemberDecl(); 13485 if (const FieldDecl *Field = dyn_cast<FieldDecl>(VD)) { 13486 // Mutable fields can be modified even if the class is const. 13487 if (Field->isMutable()) { 13488 assert(DiagnosticEmitted && "Expected diagnostic not emitted."); 13489 break; 13490 } 13491 13492 if (!IsTypeModifiable(Field->getType(), IsDereference)) { 13493 if (!DiagnosticEmitted) { 13494 S.Diag(Loc, diag::err_typecheck_assign_const) 13495 << ExprRange << ConstMember << false /*static*/ << Field 13496 << Field->getType(); 13497 DiagnosticEmitted = true; 13498 } 13499 S.Diag(VD->getLocation(), diag::note_typecheck_assign_const) 13500 << ConstMember << false /*static*/ << Field << Field->getType() 13501 << Field->getSourceRange(); 13502 } 13503 E = ME->getBase(); 13504 continue; 13505 } else if (const VarDecl *VDecl = dyn_cast<VarDecl>(VD)) { 13506 if (VDecl->getType().isConstQualified()) { 13507 if (!DiagnosticEmitted) { 13508 S.Diag(Loc, diag::err_typecheck_assign_const) 13509 << ExprRange << ConstMember << true /*static*/ << VDecl 13510 << VDecl->getType(); 13511 DiagnosticEmitted = true; 13512 } 13513 S.Diag(VD->getLocation(), diag::note_typecheck_assign_const) 13514 << ConstMember << true /*static*/ << VDecl << VDecl->getType() 13515 << VDecl->getSourceRange(); 13516 } 13517 // Static fields do not inherit constness from parents. 13518 break; 13519 } 13520 break; // End MemberExpr 13521 } else if (const ArraySubscriptExpr *ASE = 13522 dyn_cast<ArraySubscriptExpr>(E)) { 13523 E = ASE->getBase()->IgnoreParenImpCasts(); 13524 continue; 13525 } else if (const ExtVectorElementExpr *EVE = 13526 dyn_cast<ExtVectorElementExpr>(E)) { 13527 E = EVE->getBase()->IgnoreParenImpCasts(); 13528 continue; 13529 } 13530 break; 13531 } 13532 13533 if (const CallExpr *CE = dyn_cast<CallExpr>(E)) { 13534 // Function calls 13535 const FunctionDecl *FD = CE->getDirectCallee(); 13536 if (FD && !IsTypeModifiable(FD->getReturnType(), IsDereference)) { 13537 if (!DiagnosticEmitted) { 13538 S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange 13539 << ConstFunction << FD; 13540 DiagnosticEmitted = true; 13541 } 13542 S.Diag(FD->getReturnTypeSourceRange().getBegin(), 13543 diag::note_typecheck_assign_const) 13544 << ConstFunction << FD << FD->getReturnType() 13545 << FD->getReturnTypeSourceRange(); 13546 } 13547 } else if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) { 13548 // Point to variable declaration. 13549 if (const ValueDecl *VD = DRE->getDecl()) { 13550 if (!IsTypeModifiable(VD->getType(), IsDereference)) { 13551 if (!DiagnosticEmitted) { 13552 S.Diag(Loc, diag::err_typecheck_assign_const) 13553 << ExprRange << ConstVariable << VD << VD->getType(); 13554 DiagnosticEmitted = true; 13555 } 13556 S.Diag(VD->getLocation(), diag::note_typecheck_assign_const) 13557 << ConstVariable << VD << VD->getType() << VD->getSourceRange(); 13558 } 13559 } 13560 } else if (isa<CXXThisExpr>(E)) { 13561 if (const DeclContext *DC = S.getFunctionLevelDeclContext()) { 13562 if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(DC)) { 13563 if (MD->isConst()) { 13564 if (!DiagnosticEmitted) { 13565 S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange 13566 << ConstMethod << MD; 13567 DiagnosticEmitted = true; 13568 } 13569 S.Diag(MD->getLocation(), diag::note_typecheck_assign_const) 13570 << ConstMethod << MD << MD->getSourceRange(); 13571 } 13572 } 13573 } 13574 } 13575 13576 if (DiagnosticEmitted) 13577 return; 13578 13579 // Can't determine a more specific message, so display the generic error. 13580 S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange << ConstUnknown; 13581 } 13582 13583 enum OriginalExprKind { 13584 OEK_Variable, 13585 OEK_Member, 13586 OEK_LValue 13587 }; 13588 13589 static void DiagnoseRecursiveConstFields(Sema &S, const ValueDecl *VD, 13590 const RecordType *Ty, 13591 SourceLocation Loc, SourceRange Range, 13592 OriginalExprKind OEK, 13593 bool &DiagnosticEmitted) { 13594 std::vector<const RecordType *> RecordTypeList; 13595 RecordTypeList.push_back(Ty); 13596 unsigned NextToCheckIndex = 0; 13597 // We walk the record hierarchy breadth-first to ensure that we print 13598 // diagnostics in field nesting order. 13599 while (RecordTypeList.size() > NextToCheckIndex) { 13600 bool IsNested = NextToCheckIndex > 0; 13601 for (const FieldDecl *Field : 13602 RecordTypeList[NextToCheckIndex]->getDecl()->fields()) { 13603 // First, check every field for constness. 13604 QualType FieldTy = Field->getType(); 13605 if (FieldTy.isConstQualified()) { 13606 if (!DiagnosticEmitted) { 13607 S.Diag(Loc, diag::err_typecheck_assign_const) 13608 << Range << NestedConstMember << OEK << VD 13609 << IsNested << Field; 13610 DiagnosticEmitted = true; 13611 } 13612 S.Diag(Field->getLocation(), diag::note_typecheck_assign_const) 13613 << NestedConstMember << IsNested << Field 13614 << FieldTy << Field->getSourceRange(); 13615 } 13616 13617 // Then we append it to the list to check next in order. 13618 FieldTy = FieldTy.getCanonicalType(); 13619 if (const auto *FieldRecTy = FieldTy->getAs<RecordType>()) { 13620 if (!llvm::is_contained(RecordTypeList, FieldRecTy)) 13621 RecordTypeList.push_back(FieldRecTy); 13622 } 13623 } 13624 ++NextToCheckIndex; 13625 } 13626 } 13627 13628 /// Emit an error for the case where a record we are trying to assign to has a 13629 /// const-qualified field somewhere in its hierarchy. 13630 static void DiagnoseRecursiveConstFields(Sema &S, const Expr *E, 13631 SourceLocation Loc) { 13632 QualType Ty = E->getType(); 13633 assert(Ty->isRecordType() && "lvalue was not record?"); 13634 SourceRange Range = E->getSourceRange(); 13635 const RecordType *RTy = Ty.getCanonicalType()->getAs<RecordType>(); 13636 bool DiagEmitted = false; 13637 13638 if (const MemberExpr *ME = dyn_cast<MemberExpr>(E)) 13639 DiagnoseRecursiveConstFields(S, ME->getMemberDecl(), RTy, Loc, 13640 Range, OEK_Member, DiagEmitted); 13641 else if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) 13642 DiagnoseRecursiveConstFields(S, DRE->getDecl(), RTy, Loc, 13643 Range, OEK_Variable, DiagEmitted); 13644 else 13645 DiagnoseRecursiveConstFields(S, nullptr, RTy, Loc, 13646 Range, OEK_LValue, DiagEmitted); 13647 if (!DiagEmitted) 13648 DiagnoseConstAssignment(S, E, Loc); 13649 } 13650 13651 /// CheckForModifiableLvalue - Verify that E is a modifiable lvalue. If not, 13652 /// emit an error and return true. If so, return false. 13653 static bool CheckForModifiableLvalue(Expr *E, SourceLocation Loc, Sema &S) { 13654 assert(!E->hasPlaceholderType(BuiltinType::PseudoObject)); 13655 13656 S.CheckShadowingDeclModification(E, Loc); 13657 13658 SourceLocation OrigLoc = Loc; 13659 Expr::isModifiableLvalueResult IsLV = E->isModifiableLvalue(S.Context, 13660 &Loc); 13661 if (IsLV == Expr::MLV_ClassTemporary && IsReadonlyMessage(E, S)) 13662 IsLV = Expr::MLV_InvalidMessageExpression; 13663 if (IsLV == Expr::MLV_Valid) 13664 return false; 13665 13666 unsigned DiagID = 0; 13667 bool NeedType = false; 13668 switch (IsLV) { // C99 6.5.16p2 13669 case Expr::MLV_ConstQualified: 13670 // Use a specialized diagnostic when we're assigning to an object 13671 // from an enclosing function or block. 13672 if (NonConstCaptureKind NCCK = isReferenceToNonConstCapture(S, E)) { 13673 if (NCCK == NCCK_Block) 13674 DiagID = diag::err_block_decl_ref_not_modifiable_lvalue; 13675 else 13676 DiagID = diag::err_lambda_decl_ref_not_modifiable_lvalue; 13677 break; 13678 } 13679 13680 // In ARC, use some specialized diagnostics for occasions where we 13681 // infer 'const'. These are always pseudo-strong variables. 13682 if (S.getLangOpts().ObjCAutoRefCount) { 13683 DeclRefExpr *declRef = dyn_cast<DeclRefExpr>(E->IgnoreParenCasts()); 13684 if (declRef && isa<VarDecl>(declRef->getDecl())) { 13685 VarDecl *var = cast<VarDecl>(declRef->getDecl()); 13686 13687 // Use the normal diagnostic if it's pseudo-__strong but the 13688 // user actually wrote 'const'. 13689 if (var->isARCPseudoStrong() && 13690 (!var->getTypeSourceInfo() || 13691 !var->getTypeSourceInfo()->getType().isConstQualified())) { 13692 // There are three pseudo-strong cases: 13693 // - self 13694 ObjCMethodDecl *method = S.getCurMethodDecl(); 13695 if (method && var == method->getSelfDecl()) { 13696 DiagID = method->isClassMethod() 13697 ? diag::err_typecheck_arc_assign_self_class_method 13698 : diag::err_typecheck_arc_assign_self; 13699 13700 // - Objective-C externally_retained attribute. 13701 } else if (var->hasAttr<ObjCExternallyRetainedAttr>() || 13702 isa<ParmVarDecl>(var)) { 13703 DiagID = diag::err_typecheck_arc_assign_externally_retained; 13704 13705 // - fast enumeration variables 13706 } else { 13707 DiagID = diag::err_typecheck_arr_assign_enumeration; 13708 } 13709 13710 SourceRange Assign; 13711 if (Loc != OrigLoc) 13712 Assign = SourceRange(OrigLoc, OrigLoc); 13713 S.Diag(Loc, DiagID) << E->getSourceRange() << Assign; 13714 // We need to preserve the AST regardless, so migration tool 13715 // can do its job. 13716 return false; 13717 } 13718 } 13719 } 13720 13721 // If none of the special cases above are triggered, then this is a 13722 // simple const assignment. 13723 if (DiagID == 0) { 13724 DiagnoseConstAssignment(S, E, Loc); 13725 return true; 13726 } 13727 13728 break; 13729 case Expr::MLV_ConstAddrSpace: 13730 DiagnoseConstAssignment(S, E, Loc); 13731 return true; 13732 case Expr::MLV_ConstQualifiedField: 13733 DiagnoseRecursiveConstFields(S, E, Loc); 13734 return true; 13735 case Expr::MLV_ArrayType: 13736 case Expr::MLV_ArrayTemporary: 13737 DiagID = diag::err_typecheck_array_not_modifiable_lvalue; 13738 NeedType = true; 13739 break; 13740 case Expr::MLV_NotObjectType: 13741 DiagID = diag::err_typecheck_non_object_not_modifiable_lvalue; 13742 NeedType = true; 13743 break; 13744 case Expr::MLV_LValueCast: 13745 DiagID = diag::err_typecheck_lvalue_casts_not_supported; 13746 break; 13747 case Expr::MLV_Valid: 13748 llvm_unreachable("did not take early return for MLV_Valid"); 13749 case Expr::MLV_InvalidExpression: 13750 case Expr::MLV_MemberFunction: 13751 case Expr::MLV_ClassTemporary: 13752 DiagID = diag::err_typecheck_expression_not_modifiable_lvalue; 13753 break; 13754 case Expr::MLV_IncompleteType: 13755 case Expr::MLV_IncompleteVoidType: 13756 return S.RequireCompleteType(Loc, E->getType(), 13757 diag::err_typecheck_incomplete_type_not_modifiable_lvalue, E); 13758 case Expr::MLV_DuplicateVectorComponents: 13759 DiagID = diag::err_typecheck_duplicate_vector_components_not_mlvalue; 13760 break; 13761 case Expr::MLV_NoSetterProperty: 13762 llvm_unreachable("readonly properties should be processed differently"); 13763 case Expr::MLV_InvalidMessageExpression: 13764 DiagID = diag::err_readonly_message_assignment; 13765 break; 13766 case Expr::MLV_SubObjCPropertySetting: 13767 DiagID = diag::err_no_subobject_property_setting; 13768 break; 13769 } 13770 13771 SourceRange Assign; 13772 if (Loc != OrigLoc) 13773 Assign = SourceRange(OrigLoc, OrigLoc); 13774 if (NeedType) 13775 S.Diag(Loc, DiagID) << E->getType() << E->getSourceRange() << Assign; 13776 else 13777 S.Diag(Loc, DiagID) << E->getSourceRange() << Assign; 13778 return true; 13779 } 13780 13781 static void CheckIdentityFieldAssignment(Expr *LHSExpr, Expr *RHSExpr, 13782 SourceLocation Loc, 13783 Sema &Sema) { 13784 if (Sema.inTemplateInstantiation()) 13785 return; 13786 if (Sema.isUnevaluatedContext()) 13787 return; 13788 if (Loc.isInvalid() || Loc.isMacroID()) 13789 return; 13790 if (LHSExpr->getExprLoc().isMacroID() || RHSExpr->getExprLoc().isMacroID()) 13791 return; 13792 13793 // C / C++ fields 13794 MemberExpr *ML = dyn_cast<MemberExpr>(LHSExpr); 13795 MemberExpr *MR = dyn_cast<MemberExpr>(RHSExpr); 13796 if (ML && MR) { 13797 if (!(isa<CXXThisExpr>(ML->getBase()) && isa<CXXThisExpr>(MR->getBase()))) 13798 return; 13799 const ValueDecl *LHSDecl = 13800 cast<ValueDecl>(ML->getMemberDecl()->getCanonicalDecl()); 13801 const ValueDecl *RHSDecl = 13802 cast<ValueDecl>(MR->getMemberDecl()->getCanonicalDecl()); 13803 if (LHSDecl != RHSDecl) 13804 return; 13805 if (LHSDecl->getType().isVolatileQualified()) 13806 return; 13807 if (const ReferenceType *RefTy = LHSDecl->getType()->getAs<ReferenceType>()) 13808 if (RefTy->getPointeeType().isVolatileQualified()) 13809 return; 13810 13811 Sema.Diag(Loc, diag::warn_identity_field_assign) << 0; 13812 } 13813 13814 // Objective-C instance variables 13815 ObjCIvarRefExpr *OL = dyn_cast<ObjCIvarRefExpr>(LHSExpr); 13816 ObjCIvarRefExpr *OR = dyn_cast<ObjCIvarRefExpr>(RHSExpr); 13817 if (OL && OR && OL->getDecl() == OR->getDecl()) { 13818 DeclRefExpr *RL = dyn_cast<DeclRefExpr>(OL->getBase()->IgnoreImpCasts()); 13819 DeclRefExpr *RR = dyn_cast<DeclRefExpr>(OR->getBase()->IgnoreImpCasts()); 13820 if (RL && RR && RL->getDecl() == RR->getDecl()) 13821 Sema.Diag(Loc, diag::warn_identity_field_assign) << 1; 13822 } 13823 } 13824 13825 // C99 6.5.16.1 13826 QualType Sema::CheckAssignmentOperands(Expr *LHSExpr, ExprResult &RHS, 13827 SourceLocation Loc, 13828 QualType CompoundType) { 13829 assert(!LHSExpr->hasPlaceholderType(BuiltinType::PseudoObject)); 13830 13831 // Verify that LHS is a modifiable lvalue, and emit error if not. 13832 if (CheckForModifiableLvalue(LHSExpr, Loc, *this)) 13833 return QualType(); 13834 13835 QualType LHSType = LHSExpr->getType(); 13836 QualType RHSType = CompoundType.isNull() ? RHS.get()->getType() : 13837 CompoundType; 13838 // OpenCL v1.2 s6.1.1.1 p2: 13839 // The half data type can only be used to declare a pointer to a buffer that 13840 // contains half values 13841 if (getLangOpts().OpenCL && 13842 !getOpenCLOptions().isAvailableOption("cl_khr_fp16", getLangOpts()) && 13843 LHSType->isHalfType()) { 13844 Diag(Loc, diag::err_opencl_half_load_store) << 1 13845 << LHSType.getUnqualifiedType(); 13846 return QualType(); 13847 } 13848 13849 AssignConvertType ConvTy; 13850 if (CompoundType.isNull()) { 13851 Expr *RHSCheck = RHS.get(); 13852 13853 CheckIdentityFieldAssignment(LHSExpr, RHSCheck, Loc, *this); 13854 13855 QualType LHSTy(LHSType); 13856 ConvTy = CheckSingleAssignmentConstraints(LHSTy, RHS); 13857 if (RHS.isInvalid()) 13858 return QualType(); 13859 // Special case of NSObject attributes on c-style pointer types. 13860 if (ConvTy == IncompatiblePointer && 13861 ((Context.isObjCNSObjectType(LHSType) && 13862 RHSType->isObjCObjectPointerType()) || 13863 (Context.isObjCNSObjectType(RHSType) && 13864 LHSType->isObjCObjectPointerType()))) 13865 ConvTy = Compatible; 13866 13867 if (ConvTy == Compatible && 13868 LHSType->isObjCObjectType()) 13869 Diag(Loc, diag::err_objc_object_assignment) 13870 << LHSType; 13871 13872 // If the RHS is a unary plus or minus, check to see if they = and + are 13873 // right next to each other. If so, the user may have typo'd "x =+ 4" 13874 // instead of "x += 4". 13875 if (ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(RHSCheck)) 13876 RHSCheck = ICE->getSubExpr(); 13877 if (UnaryOperator *UO = dyn_cast<UnaryOperator>(RHSCheck)) { 13878 if ((UO->getOpcode() == UO_Plus || UO->getOpcode() == UO_Minus) && 13879 Loc.isFileID() && UO->getOperatorLoc().isFileID() && 13880 // Only if the two operators are exactly adjacent. 13881 Loc.getLocWithOffset(1) == UO->getOperatorLoc() && 13882 // And there is a space or other character before the subexpr of the 13883 // unary +/-. We don't want to warn on "x=-1". 13884 Loc.getLocWithOffset(2) != UO->getSubExpr()->getBeginLoc() && 13885 UO->getSubExpr()->getBeginLoc().isFileID()) { 13886 Diag(Loc, diag::warn_not_compound_assign) 13887 << (UO->getOpcode() == UO_Plus ? "+" : "-") 13888 << SourceRange(UO->getOperatorLoc(), UO->getOperatorLoc()); 13889 } 13890 } 13891 13892 if (ConvTy == Compatible) { 13893 if (LHSType.getObjCLifetime() == Qualifiers::OCL_Strong) { 13894 // Warn about retain cycles where a block captures the LHS, but 13895 // not if the LHS is a simple variable into which the block is 13896 // being stored...unless that variable can be captured by reference! 13897 const Expr *InnerLHS = LHSExpr->IgnoreParenCasts(); 13898 const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(InnerLHS); 13899 if (!DRE || DRE->getDecl()->hasAttr<BlocksAttr>()) 13900 checkRetainCycles(LHSExpr, RHS.get()); 13901 } 13902 13903 if (LHSType.getObjCLifetime() == Qualifiers::OCL_Strong || 13904 LHSType.isNonWeakInMRRWithObjCWeak(Context)) { 13905 // It is safe to assign a weak reference into a strong variable. 13906 // Although this code can still have problems: 13907 // id x = self.weakProp; 13908 // id y = self.weakProp; 13909 // we do not warn to warn spuriously when 'x' and 'y' are on separate 13910 // paths through the function. This should be revisited if 13911 // -Wrepeated-use-of-weak is made flow-sensitive. 13912 // For ObjCWeak only, we do not warn if the assign is to a non-weak 13913 // variable, which will be valid for the current autorelease scope. 13914 if (!Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, 13915 RHS.get()->getBeginLoc())) 13916 getCurFunction()->markSafeWeakUse(RHS.get()); 13917 13918 } else if (getLangOpts().ObjCAutoRefCount || getLangOpts().ObjCWeak) { 13919 checkUnsafeExprAssigns(Loc, LHSExpr, RHS.get()); 13920 } 13921 } 13922 } else { 13923 // Compound assignment "x += y" 13924 ConvTy = CheckAssignmentConstraints(Loc, LHSType, RHSType); 13925 } 13926 13927 if (DiagnoseAssignmentResult(ConvTy, Loc, LHSType, RHSType, 13928 RHS.get(), AA_Assigning)) 13929 return QualType(); 13930 13931 CheckForNullPointerDereference(*this, LHSExpr); 13932 13933 if (getLangOpts().CPlusPlus20 && LHSType.isVolatileQualified()) { 13934 if (CompoundType.isNull()) { 13935 // C++2a [expr.ass]p5: 13936 // A simple-assignment whose left operand is of a volatile-qualified 13937 // type is deprecated unless the assignment is either a discarded-value 13938 // expression or an unevaluated operand 13939 ExprEvalContexts.back().VolatileAssignmentLHSs.push_back(LHSExpr); 13940 } else { 13941 // C++2a [expr.ass]p6: 13942 // [Compound-assignment] expressions are deprecated if E1 has 13943 // volatile-qualified type 13944 Diag(Loc, diag::warn_deprecated_compound_assign_volatile) << LHSType; 13945 } 13946 } 13947 13948 // C11 6.5.16p3: The type of an assignment expression is the type of the 13949 // left operand would have after lvalue conversion. 13950 // C11 6.3.2.1p2: ...this is called lvalue conversion. If the lvalue has 13951 // qualified type, the value has the unqualified version of the type of the 13952 // lvalue; additionally, if the lvalue has atomic type, the value has the 13953 // non-atomic version of the type of the lvalue. 13954 // C++ 5.17p1: the type of the assignment expression is that of its left 13955 // operand. 13956 return getLangOpts().CPlusPlus ? LHSType : LHSType.getAtomicUnqualifiedType(); 13957 } 13958 13959 // Only ignore explicit casts to void. 13960 static bool IgnoreCommaOperand(const Expr *E) { 13961 E = E->IgnoreParens(); 13962 13963 if (const CastExpr *CE = dyn_cast<CastExpr>(E)) { 13964 if (CE->getCastKind() == CK_ToVoid) { 13965 return true; 13966 } 13967 13968 // static_cast<void> on a dependent type will not show up as CK_ToVoid. 13969 if (CE->getCastKind() == CK_Dependent && E->getType()->isVoidType() && 13970 CE->getSubExpr()->getType()->isDependentType()) { 13971 return true; 13972 } 13973 } 13974 13975 return false; 13976 } 13977 13978 // Look for instances where it is likely the comma operator is confused with 13979 // another operator. There is an explicit list of acceptable expressions for 13980 // the left hand side of the comma operator, otherwise emit a warning. 13981 void Sema::DiagnoseCommaOperator(const Expr *LHS, SourceLocation Loc) { 13982 // No warnings in macros 13983 if (Loc.isMacroID()) 13984 return; 13985 13986 // Don't warn in template instantiations. 13987 if (inTemplateInstantiation()) 13988 return; 13989 13990 // Scope isn't fine-grained enough to explicitly list the specific cases, so 13991 // instead, skip more than needed, then call back into here with the 13992 // CommaVisitor in SemaStmt.cpp. 13993 // The listed locations are the initialization and increment portions 13994 // of a for loop. The additional checks are on the condition of 13995 // if statements, do/while loops, and for loops. 13996 // Differences in scope flags for C89 mode requires the extra logic. 13997 const unsigned ForIncrementFlags = 13998 getLangOpts().C99 || getLangOpts().CPlusPlus 13999 ? Scope::ControlScope | Scope::ContinueScope | Scope::BreakScope 14000 : Scope::ContinueScope | Scope::BreakScope; 14001 const unsigned ForInitFlags = Scope::ControlScope | Scope::DeclScope; 14002 const unsigned ScopeFlags = getCurScope()->getFlags(); 14003 if ((ScopeFlags & ForIncrementFlags) == ForIncrementFlags || 14004 (ScopeFlags & ForInitFlags) == ForInitFlags) 14005 return; 14006 14007 // If there are multiple comma operators used together, get the RHS of the 14008 // of the comma operator as the LHS. 14009 while (const BinaryOperator *BO = dyn_cast<BinaryOperator>(LHS)) { 14010 if (BO->getOpcode() != BO_Comma) 14011 break; 14012 LHS = BO->getRHS(); 14013 } 14014 14015 // Only allow some expressions on LHS to not warn. 14016 if (IgnoreCommaOperand(LHS)) 14017 return; 14018 14019 Diag(Loc, diag::warn_comma_operator); 14020 Diag(LHS->getBeginLoc(), diag::note_cast_to_void) 14021 << LHS->getSourceRange() 14022 << FixItHint::CreateInsertion(LHS->getBeginLoc(), 14023 LangOpts.CPlusPlus ? "static_cast<void>(" 14024 : "(void)(") 14025 << FixItHint::CreateInsertion(PP.getLocForEndOfToken(LHS->getEndLoc()), 14026 ")"); 14027 } 14028 14029 // C99 6.5.17 14030 static QualType CheckCommaOperands(Sema &S, ExprResult &LHS, ExprResult &RHS, 14031 SourceLocation Loc) { 14032 LHS = S.CheckPlaceholderExpr(LHS.get()); 14033 RHS = S.CheckPlaceholderExpr(RHS.get()); 14034 if (LHS.isInvalid() || RHS.isInvalid()) 14035 return QualType(); 14036 14037 // C's comma performs lvalue conversion (C99 6.3.2.1) on both its 14038 // operands, but not unary promotions. 14039 // C++'s comma does not do any conversions at all (C++ [expr.comma]p1). 14040 14041 // So we treat the LHS as a ignored value, and in C++ we allow the 14042 // containing site to determine what should be done with the RHS. 14043 LHS = S.IgnoredValueConversions(LHS.get()); 14044 if (LHS.isInvalid()) 14045 return QualType(); 14046 14047 S.DiagnoseUnusedExprResult(LHS.get(), diag::warn_unused_comma_left_operand); 14048 14049 if (!S.getLangOpts().CPlusPlus) { 14050 RHS = S.DefaultFunctionArrayLvalueConversion(RHS.get()); 14051 if (RHS.isInvalid()) 14052 return QualType(); 14053 if (!RHS.get()->getType()->isVoidType()) 14054 S.RequireCompleteType(Loc, RHS.get()->getType(), 14055 diag::err_incomplete_type); 14056 } 14057 14058 if (!S.getDiagnostics().isIgnored(diag::warn_comma_operator, Loc)) 14059 S.DiagnoseCommaOperator(LHS.get(), Loc); 14060 14061 return RHS.get()->getType(); 14062 } 14063 14064 /// CheckIncrementDecrementOperand - unlike most "Check" methods, this routine 14065 /// doesn't need to call UsualUnaryConversions or UsualArithmeticConversions. 14066 static QualType CheckIncrementDecrementOperand(Sema &S, Expr *Op, 14067 ExprValueKind &VK, 14068 ExprObjectKind &OK, 14069 SourceLocation OpLoc, 14070 bool IsInc, bool IsPrefix) { 14071 if (Op->isTypeDependent()) 14072 return S.Context.DependentTy; 14073 14074 QualType ResType = Op->getType(); 14075 // Atomic types can be used for increment / decrement where the non-atomic 14076 // versions can, so ignore the _Atomic() specifier for the purpose of 14077 // checking. 14078 if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>()) 14079 ResType = ResAtomicType->getValueType(); 14080 14081 assert(!ResType.isNull() && "no type for increment/decrement expression"); 14082 14083 if (S.getLangOpts().CPlusPlus && ResType->isBooleanType()) { 14084 // Decrement of bool is not allowed. 14085 if (!IsInc) { 14086 S.Diag(OpLoc, diag::err_decrement_bool) << Op->getSourceRange(); 14087 return QualType(); 14088 } 14089 // Increment of bool sets it to true, but is deprecated. 14090 S.Diag(OpLoc, S.getLangOpts().CPlusPlus17 ? diag::ext_increment_bool 14091 : diag::warn_increment_bool) 14092 << Op->getSourceRange(); 14093 } else if (S.getLangOpts().CPlusPlus && ResType->isEnumeralType()) { 14094 // Error on enum increments and decrements in C++ mode 14095 S.Diag(OpLoc, diag::err_increment_decrement_enum) << IsInc << ResType; 14096 return QualType(); 14097 } else if (ResType->isRealType()) { 14098 // OK! 14099 } else if (ResType->isPointerType()) { 14100 // C99 6.5.2.4p2, 6.5.6p2 14101 if (!checkArithmeticOpPointerOperand(S, OpLoc, Op)) 14102 return QualType(); 14103 } else if (ResType->isObjCObjectPointerType()) { 14104 // On modern runtimes, ObjC pointer arithmetic is forbidden. 14105 // Otherwise, we just need a complete type. 14106 if (checkArithmeticIncompletePointerType(S, OpLoc, Op) || 14107 checkArithmeticOnObjCPointer(S, OpLoc, Op)) 14108 return QualType(); 14109 } else if (ResType->isAnyComplexType()) { 14110 // C99 does not support ++/-- on complex types, we allow as an extension. 14111 S.Diag(OpLoc, diag::ext_integer_increment_complex) 14112 << ResType << Op->getSourceRange(); 14113 } else if (ResType->isPlaceholderType()) { 14114 ExprResult PR = S.CheckPlaceholderExpr(Op); 14115 if (PR.isInvalid()) return QualType(); 14116 return CheckIncrementDecrementOperand(S, PR.get(), VK, OK, OpLoc, 14117 IsInc, IsPrefix); 14118 } else if (S.getLangOpts().AltiVec && ResType->isVectorType()) { 14119 // OK! ( C/C++ Language Extensions for CBEA(Version 2.6) 10.3 ) 14120 } else if (S.getLangOpts().ZVector && ResType->isVectorType() && 14121 (ResType->castAs<VectorType>()->getVectorKind() != 14122 VectorType::AltiVecBool)) { 14123 // The z vector extensions allow ++ and -- for non-bool vectors. 14124 } else if(S.getLangOpts().OpenCL && ResType->isVectorType() && 14125 ResType->castAs<VectorType>()->getElementType()->isIntegerType()) { 14126 // OpenCL V1.2 6.3 says dec/inc ops operate on integer vector types. 14127 } else { 14128 S.Diag(OpLoc, diag::err_typecheck_illegal_increment_decrement) 14129 << ResType << int(IsInc) << Op->getSourceRange(); 14130 return QualType(); 14131 } 14132 // At this point, we know we have a real, complex or pointer type. 14133 // Now make sure the operand is a modifiable lvalue. 14134 if (CheckForModifiableLvalue(Op, OpLoc, S)) 14135 return QualType(); 14136 if (S.getLangOpts().CPlusPlus20 && ResType.isVolatileQualified()) { 14137 // C++2a [expr.pre.inc]p1, [expr.post.inc]p1: 14138 // An operand with volatile-qualified type is deprecated 14139 S.Diag(OpLoc, diag::warn_deprecated_increment_decrement_volatile) 14140 << IsInc << ResType; 14141 } 14142 // In C++, a prefix increment is the same type as the operand. Otherwise 14143 // (in C or with postfix), the increment is the unqualified type of the 14144 // operand. 14145 if (IsPrefix && S.getLangOpts().CPlusPlus) { 14146 VK = VK_LValue; 14147 OK = Op->getObjectKind(); 14148 return ResType; 14149 } else { 14150 VK = VK_PRValue; 14151 return ResType.getUnqualifiedType(); 14152 } 14153 } 14154 14155 14156 /// getPrimaryDecl - Helper function for CheckAddressOfOperand(). 14157 /// This routine allows us to typecheck complex/recursive expressions 14158 /// where the declaration is needed for type checking. We only need to 14159 /// handle cases when the expression references a function designator 14160 /// or is an lvalue. Here are some examples: 14161 /// - &(x) => x 14162 /// - &*****f => f for f a function designator. 14163 /// - &s.xx => s 14164 /// - &s.zz[1].yy -> s, if zz is an array 14165 /// - *(x + 1) -> x, if x is an array 14166 /// - &"123"[2] -> 0 14167 /// - & __real__ x -> x 14168 /// 14169 /// FIXME: We don't recurse to the RHS of a comma, nor handle pointers to 14170 /// members. 14171 static ValueDecl *getPrimaryDecl(Expr *E) { 14172 switch (E->getStmtClass()) { 14173 case Stmt::DeclRefExprClass: 14174 return cast<DeclRefExpr>(E)->getDecl(); 14175 case Stmt::MemberExprClass: 14176 // If this is an arrow operator, the address is an offset from 14177 // the base's value, so the object the base refers to is 14178 // irrelevant. 14179 if (cast<MemberExpr>(E)->isArrow()) 14180 return nullptr; 14181 // Otherwise, the expression refers to a part of the base 14182 return getPrimaryDecl(cast<MemberExpr>(E)->getBase()); 14183 case Stmt::ArraySubscriptExprClass: { 14184 // FIXME: This code shouldn't be necessary! We should catch the implicit 14185 // promotion of register arrays earlier. 14186 Expr* Base = cast<ArraySubscriptExpr>(E)->getBase(); 14187 if (ImplicitCastExpr* ICE = dyn_cast<ImplicitCastExpr>(Base)) { 14188 if (ICE->getSubExpr()->getType()->isArrayType()) 14189 return getPrimaryDecl(ICE->getSubExpr()); 14190 } 14191 return nullptr; 14192 } 14193 case Stmt::UnaryOperatorClass: { 14194 UnaryOperator *UO = cast<UnaryOperator>(E); 14195 14196 switch(UO->getOpcode()) { 14197 case UO_Real: 14198 case UO_Imag: 14199 case UO_Extension: 14200 return getPrimaryDecl(UO->getSubExpr()); 14201 default: 14202 return nullptr; 14203 } 14204 } 14205 case Stmt::ParenExprClass: 14206 return getPrimaryDecl(cast<ParenExpr>(E)->getSubExpr()); 14207 case Stmt::ImplicitCastExprClass: 14208 // If the result of an implicit cast is an l-value, we care about 14209 // the sub-expression; otherwise, the result here doesn't matter. 14210 return getPrimaryDecl(cast<ImplicitCastExpr>(E)->getSubExpr()); 14211 case Stmt::CXXUuidofExprClass: 14212 return cast<CXXUuidofExpr>(E)->getGuidDecl(); 14213 default: 14214 return nullptr; 14215 } 14216 } 14217 14218 namespace { 14219 enum { 14220 AO_Bit_Field = 0, 14221 AO_Vector_Element = 1, 14222 AO_Property_Expansion = 2, 14223 AO_Register_Variable = 3, 14224 AO_Matrix_Element = 4, 14225 AO_No_Error = 5 14226 }; 14227 } 14228 /// Diagnose invalid operand for address of operations. 14229 /// 14230 /// \param Type The type of operand which cannot have its address taken. 14231 static void diagnoseAddressOfInvalidType(Sema &S, SourceLocation Loc, 14232 Expr *E, unsigned Type) { 14233 S.Diag(Loc, diag::err_typecheck_address_of) << Type << E->getSourceRange(); 14234 } 14235 14236 /// CheckAddressOfOperand - The operand of & must be either a function 14237 /// designator or an lvalue designating an object. If it is an lvalue, the 14238 /// object cannot be declared with storage class register or be a bit field. 14239 /// Note: The usual conversions are *not* applied to the operand of the & 14240 /// operator (C99 6.3.2.1p[2-4]), and its result is never an lvalue. 14241 /// In C++, the operand might be an overloaded function name, in which case 14242 /// we allow the '&' but retain the overloaded-function type. 14243 QualType Sema::CheckAddressOfOperand(ExprResult &OrigOp, SourceLocation OpLoc) { 14244 if (const BuiltinType *PTy = OrigOp.get()->getType()->getAsPlaceholderType()){ 14245 if (PTy->getKind() == BuiltinType::Overload) { 14246 Expr *E = OrigOp.get()->IgnoreParens(); 14247 if (!isa<OverloadExpr>(E)) { 14248 assert(cast<UnaryOperator>(E)->getOpcode() == UO_AddrOf); 14249 Diag(OpLoc, diag::err_typecheck_invalid_lvalue_addrof_addrof_function) 14250 << OrigOp.get()->getSourceRange(); 14251 return QualType(); 14252 } 14253 14254 OverloadExpr *Ovl = cast<OverloadExpr>(E); 14255 if (isa<UnresolvedMemberExpr>(Ovl)) 14256 if (!ResolveSingleFunctionTemplateSpecialization(Ovl)) { 14257 Diag(OpLoc, diag::err_invalid_form_pointer_member_function) 14258 << OrigOp.get()->getSourceRange(); 14259 return QualType(); 14260 } 14261 14262 return Context.OverloadTy; 14263 } 14264 14265 if (PTy->getKind() == BuiltinType::UnknownAny) 14266 return Context.UnknownAnyTy; 14267 14268 if (PTy->getKind() == BuiltinType::BoundMember) { 14269 Diag(OpLoc, diag::err_invalid_form_pointer_member_function) 14270 << OrigOp.get()->getSourceRange(); 14271 return QualType(); 14272 } 14273 14274 OrigOp = CheckPlaceholderExpr(OrigOp.get()); 14275 if (OrigOp.isInvalid()) return QualType(); 14276 } 14277 14278 if (OrigOp.get()->isTypeDependent()) 14279 return Context.DependentTy; 14280 14281 assert(!OrigOp.get()->hasPlaceholderType()); 14282 14283 // Make sure to ignore parentheses in subsequent checks 14284 Expr *op = OrigOp.get()->IgnoreParens(); 14285 14286 // In OpenCL captures for blocks called as lambda functions 14287 // are located in the private address space. Blocks used in 14288 // enqueue_kernel can be located in a different address space 14289 // depending on a vendor implementation. Thus preventing 14290 // taking an address of the capture to avoid invalid AS casts. 14291 if (LangOpts.OpenCL) { 14292 auto* VarRef = dyn_cast<DeclRefExpr>(op); 14293 if (VarRef && VarRef->refersToEnclosingVariableOrCapture()) { 14294 Diag(op->getExprLoc(), diag::err_opencl_taking_address_capture); 14295 return QualType(); 14296 } 14297 } 14298 14299 if (getLangOpts().C99) { 14300 // Implement C99-only parts of addressof rules. 14301 if (UnaryOperator* uOp = dyn_cast<UnaryOperator>(op)) { 14302 if (uOp->getOpcode() == UO_Deref) 14303 // Per C99 6.5.3.2, the address of a deref always returns a valid result 14304 // (assuming the deref expression is valid). 14305 return uOp->getSubExpr()->getType(); 14306 } 14307 // Technically, there should be a check for array subscript 14308 // expressions here, but the result of one is always an lvalue anyway. 14309 } 14310 ValueDecl *dcl = getPrimaryDecl(op); 14311 14312 if (auto *FD = dyn_cast_or_null<FunctionDecl>(dcl)) 14313 if (!checkAddressOfFunctionIsAvailable(FD, /*Complain=*/true, 14314 op->getBeginLoc())) 14315 return QualType(); 14316 14317 Expr::LValueClassification lval = op->ClassifyLValue(Context); 14318 unsigned AddressOfError = AO_No_Error; 14319 14320 if (lval == Expr::LV_ClassTemporary || lval == Expr::LV_ArrayTemporary) { 14321 bool sfinae = (bool)isSFINAEContext(); 14322 Diag(OpLoc, isSFINAEContext() ? diag::err_typecheck_addrof_temporary 14323 : diag::ext_typecheck_addrof_temporary) 14324 << op->getType() << op->getSourceRange(); 14325 if (sfinae) 14326 return QualType(); 14327 // Materialize the temporary as an lvalue so that we can take its address. 14328 OrigOp = op = 14329 CreateMaterializeTemporaryExpr(op->getType(), OrigOp.get(), true); 14330 } else if (isa<ObjCSelectorExpr>(op)) { 14331 return Context.getPointerType(op->getType()); 14332 } else if (lval == Expr::LV_MemberFunction) { 14333 // If it's an instance method, make a member pointer. 14334 // The expression must have exactly the form &A::foo. 14335 14336 // If the underlying expression isn't a decl ref, give up. 14337 if (!isa<DeclRefExpr>(op)) { 14338 Diag(OpLoc, diag::err_invalid_form_pointer_member_function) 14339 << OrigOp.get()->getSourceRange(); 14340 return QualType(); 14341 } 14342 DeclRefExpr *DRE = cast<DeclRefExpr>(op); 14343 CXXMethodDecl *MD = cast<CXXMethodDecl>(DRE->getDecl()); 14344 14345 // The id-expression was parenthesized. 14346 if (OrigOp.get() != DRE) { 14347 Diag(OpLoc, diag::err_parens_pointer_member_function) 14348 << OrigOp.get()->getSourceRange(); 14349 14350 // The method was named without a qualifier. 14351 } else if (!DRE->getQualifier()) { 14352 if (MD->getParent()->getName().empty()) 14353 Diag(OpLoc, diag::err_unqualified_pointer_member_function) 14354 << op->getSourceRange(); 14355 else { 14356 SmallString<32> Str; 14357 StringRef Qual = (MD->getParent()->getName() + "::").toStringRef(Str); 14358 Diag(OpLoc, diag::err_unqualified_pointer_member_function) 14359 << op->getSourceRange() 14360 << FixItHint::CreateInsertion(op->getSourceRange().getBegin(), Qual); 14361 } 14362 } 14363 14364 // Taking the address of a dtor is illegal per C++ [class.dtor]p2. 14365 if (isa<CXXDestructorDecl>(MD)) 14366 Diag(OpLoc, diag::err_typecheck_addrof_dtor) << op->getSourceRange(); 14367 14368 QualType MPTy = Context.getMemberPointerType( 14369 op->getType(), Context.getTypeDeclType(MD->getParent()).getTypePtr()); 14370 // Under the MS ABI, lock down the inheritance model now. 14371 if (Context.getTargetInfo().getCXXABI().isMicrosoft()) 14372 (void)isCompleteType(OpLoc, MPTy); 14373 return MPTy; 14374 } else if (lval != Expr::LV_Valid && lval != Expr::LV_IncompleteVoidType) { 14375 // C99 6.5.3.2p1 14376 // The operand must be either an l-value or a function designator 14377 if (!op->getType()->isFunctionType()) { 14378 // Use a special diagnostic for loads from property references. 14379 if (isa<PseudoObjectExpr>(op)) { 14380 AddressOfError = AO_Property_Expansion; 14381 } else { 14382 Diag(OpLoc, diag::err_typecheck_invalid_lvalue_addrof) 14383 << op->getType() << op->getSourceRange(); 14384 return QualType(); 14385 } 14386 } 14387 } else if (op->getObjectKind() == OK_BitField) { // C99 6.5.3.2p1 14388 // The operand cannot be a bit-field 14389 AddressOfError = AO_Bit_Field; 14390 } else if (op->getObjectKind() == OK_VectorComponent) { 14391 // The operand cannot be an element of a vector 14392 AddressOfError = AO_Vector_Element; 14393 } else if (op->getObjectKind() == OK_MatrixComponent) { 14394 // The operand cannot be an element of a matrix. 14395 AddressOfError = AO_Matrix_Element; 14396 } else if (dcl) { // C99 6.5.3.2p1 14397 // We have an lvalue with a decl. Make sure the decl is not declared 14398 // with the register storage-class specifier. 14399 if (const VarDecl *vd = dyn_cast<VarDecl>(dcl)) { 14400 // in C++ it is not error to take address of a register 14401 // variable (c++03 7.1.1P3) 14402 if (vd->getStorageClass() == SC_Register && 14403 !getLangOpts().CPlusPlus) { 14404 AddressOfError = AO_Register_Variable; 14405 } 14406 } else if (isa<MSPropertyDecl>(dcl)) { 14407 AddressOfError = AO_Property_Expansion; 14408 } else if (isa<FunctionTemplateDecl>(dcl)) { 14409 return Context.OverloadTy; 14410 } else if (isa<FieldDecl>(dcl) || isa<IndirectFieldDecl>(dcl)) { 14411 // Okay: we can take the address of a field. 14412 // Could be a pointer to member, though, if there is an explicit 14413 // scope qualifier for the class. 14414 if (isa<DeclRefExpr>(op) && cast<DeclRefExpr>(op)->getQualifier()) { 14415 DeclContext *Ctx = dcl->getDeclContext(); 14416 if (Ctx && Ctx->isRecord()) { 14417 if (dcl->getType()->isReferenceType()) { 14418 Diag(OpLoc, 14419 diag::err_cannot_form_pointer_to_member_of_reference_type) 14420 << dcl->getDeclName() << dcl->getType(); 14421 return QualType(); 14422 } 14423 14424 while (cast<RecordDecl>(Ctx)->isAnonymousStructOrUnion()) 14425 Ctx = Ctx->getParent(); 14426 14427 QualType MPTy = Context.getMemberPointerType( 14428 op->getType(), 14429 Context.getTypeDeclType(cast<RecordDecl>(Ctx)).getTypePtr()); 14430 // Under the MS ABI, lock down the inheritance model now. 14431 if (Context.getTargetInfo().getCXXABI().isMicrosoft()) 14432 (void)isCompleteType(OpLoc, MPTy); 14433 return MPTy; 14434 } 14435 } 14436 } else if (!isa<FunctionDecl, NonTypeTemplateParmDecl, BindingDecl, 14437 MSGuidDecl, UnnamedGlobalConstantDecl>(dcl)) 14438 llvm_unreachable("Unknown/unexpected decl type"); 14439 } 14440 14441 if (AddressOfError != AO_No_Error) { 14442 diagnoseAddressOfInvalidType(*this, OpLoc, op, AddressOfError); 14443 return QualType(); 14444 } 14445 14446 if (lval == Expr::LV_IncompleteVoidType) { 14447 // Taking the address of a void variable is technically illegal, but we 14448 // allow it in cases which are otherwise valid. 14449 // Example: "extern void x; void* y = &x;". 14450 Diag(OpLoc, diag::ext_typecheck_addrof_void) << op->getSourceRange(); 14451 } 14452 14453 // If the operand has type "type", the result has type "pointer to type". 14454 if (op->getType()->isObjCObjectType()) 14455 return Context.getObjCObjectPointerType(op->getType()); 14456 14457 CheckAddressOfPackedMember(op); 14458 14459 return Context.getPointerType(op->getType()); 14460 } 14461 14462 static void RecordModifiableNonNullParam(Sema &S, const Expr *Exp) { 14463 const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Exp); 14464 if (!DRE) 14465 return; 14466 const Decl *D = DRE->getDecl(); 14467 if (!D) 14468 return; 14469 const ParmVarDecl *Param = dyn_cast<ParmVarDecl>(D); 14470 if (!Param) 14471 return; 14472 if (const FunctionDecl* FD = dyn_cast<FunctionDecl>(Param->getDeclContext())) 14473 if (!FD->hasAttr<NonNullAttr>() && !Param->hasAttr<NonNullAttr>()) 14474 return; 14475 if (FunctionScopeInfo *FD = S.getCurFunction()) 14476 FD->ModifiedNonNullParams.insert(Param); 14477 } 14478 14479 /// CheckIndirectionOperand - Type check unary indirection (prefix '*'). 14480 static QualType CheckIndirectionOperand(Sema &S, Expr *Op, ExprValueKind &VK, 14481 SourceLocation OpLoc) { 14482 if (Op->isTypeDependent()) 14483 return S.Context.DependentTy; 14484 14485 ExprResult ConvResult = S.UsualUnaryConversions(Op); 14486 if (ConvResult.isInvalid()) 14487 return QualType(); 14488 Op = ConvResult.get(); 14489 QualType OpTy = Op->getType(); 14490 QualType Result; 14491 14492 if (isa<CXXReinterpretCastExpr>(Op)) { 14493 QualType OpOrigType = Op->IgnoreParenCasts()->getType(); 14494 S.CheckCompatibleReinterpretCast(OpOrigType, OpTy, /*IsDereference*/true, 14495 Op->getSourceRange()); 14496 } 14497 14498 if (const PointerType *PT = OpTy->getAs<PointerType>()) 14499 { 14500 Result = PT->getPointeeType(); 14501 } 14502 else if (const ObjCObjectPointerType *OPT = 14503 OpTy->getAs<ObjCObjectPointerType>()) 14504 Result = OPT->getPointeeType(); 14505 else { 14506 ExprResult PR = S.CheckPlaceholderExpr(Op); 14507 if (PR.isInvalid()) return QualType(); 14508 if (PR.get() != Op) 14509 return CheckIndirectionOperand(S, PR.get(), VK, OpLoc); 14510 } 14511 14512 if (Result.isNull()) { 14513 S.Diag(OpLoc, diag::err_typecheck_indirection_requires_pointer) 14514 << OpTy << Op->getSourceRange(); 14515 return QualType(); 14516 } 14517 14518 // Note that per both C89 and C99, indirection is always legal, even if Result 14519 // is an incomplete type or void. It would be possible to warn about 14520 // dereferencing a void pointer, but it's completely well-defined, and such a 14521 // warning is unlikely to catch any mistakes. In C++, indirection is not valid 14522 // for pointers to 'void' but is fine for any other pointer type: 14523 // 14524 // C++ [expr.unary.op]p1: 14525 // [...] the expression to which [the unary * operator] is applied shall 14526 // be a pointer to an object type, or a pointer to a function type 14527 if (S.getLangOpts().CPlusPlus && Result->isVoidType()) 14528 S.Diag(OpLoc, diag::ext_typecheck_indirection_through_void_pointer) 14529 << OpTy << Op->getSourceRange(); 14530 14531 // Dereferences are usually l-values... 14532 VK = VK_LValue; 14533 14534 // ...except that certain expressions are never l-values in C. 14535 if (!S.getLangOpts().CPlusPlus && Result.isCForbiddenLValueType()) 14536 VK = VK_PRValue; 14537 14538 return Result; 14539 } 14540 14541 BinaryOperatorKind Sema::ConvertTokenKindToBinaryOpcode(tok::TokenKind Kind) { 14542 BinaryOperatorKind Opc; 14543 switch (Kind) { 14544 default: llvm_unreachable("Unknown binop!"); 14545 case tok::periodstar: Opc = BO_PtrMemD; break; 14546 case tok::arrowstar: Opc = BO_PtrMemI; break; 14547 case tok::star: Opc = BO_Mul; break; 14548 case tok::slash: Opc = BO_Div; break; 14549 case tok::percent: Opc = BO_Rem; break; 14550 case tok::plus: Opc = BO_Add; break; 14551 case tok::minus: Opc = BO_Sub; break; 14552 case tok::lessless: Opc = BO_Shl; break; 14553 case tok::greatergreater: Opc = BO_Shr; break; 14554 case tok::lessequal: Opc = BO_LE; break; 14555 case tok::less: Opc = BO_LT; break; 14556 case tok::greaterequal: Opc = BO_GE; break; 14557 case tok::greater: Opc = BO_GT; break; 14558 case tok::exclaimequal: Opc = BO_NE; break; 14559 case tok::equalequal: Opc = BO_EQ; break; 14560 case tok::spaceship: Opc = BO_Cmp; break; 14561 case tok::amp: Opc = BO_And; break; 14562 case tok::caret: Opc = BO_Xor; break; 14563 case tok::pipe: Opc = BO_Or; break; 14564 case tok::ampamp: Opc = BO_LAnd; break; 14565 case tok::pipepipe: Opc = BO_LOr; break; 14566 case tok::equal: Opc = BO_Assign; break; 14567 case tok::starequal: Opc = BO_MulAssign; break; 14568 case tok::slashequal: Opc = BO_DivAssign; break; 14569 case tok::percentequal: Opc = BO_RemAssign; break; 14570 case tok::plusequal: Opc = BO_AddAssign; break; 14571 case tok::minusequal: Opc = BO_SubAssign; break; 14572 case tok::lesslessequal: Opc = BO_ShlAssign; break; 14573 case tok::greatergreaterequal: Opc = BO_ShrAssign; break; 14574 case tok::ampequal: Opc = BO_AndAssign; break; 14575 case tok::caretequal: Opc = BO_XorAssign; break; 14576 case tok::pipeequal: Opc = BO_OrAssign; break; 14577 case tok::comma: Opc = BO_Comma; break; 14578 } 14579 return Opc; 14580 } 14581 14582 static inline UnaryOperatorKind ConvertTokenKindToUnaryOpcode( 14583 tok::TokenKind Kind) { 14584 UnaryOperatorKind Opc; 14585 switch (Kind) { 14586 default: llvm_unreachable("Unknown unary op!"); 14587 case tok::plusplus: Opc = UO_PreInc; break; 14588 case tok::minusminus: Opc = UO_PreDec; break; 14589 case tok::amp: Opc = UO_AddrOf; break; 14590 case tok::star: Opc = UO_Deref; break; 14591 case tok::plus: Opc = UO_Plus; break; 14592 case tok::minus: Opc = UO_Minus; break; 14593 case tok::tilde: Opc = UO_Not; break; 14594 case tok::exclaim: Opc = UO_LNot; break; 14595 case tok::kw___real: Opc = UO_Real; break; 14596 case tok::kw___imag: Opc = UO_Imag; break; 14597 case tok::kw___extension__: Opc = UO_Extension; break; 14598 } 14599 return Opc; 14600 } 14601 14602 /// DiagnoseSelfAssignment - Emits a warning if a value is assigned to itself. 14603 /// This warning suppressed in the event of macro expansions. 14604 static void DiagnoseSelfAssignment(Sema &S, Expr *LHSExpr, Expr *RHSExpr, 14605 SourceLocation OpLoc, bool IsBuiltin) { 14606 if (S.inTemplateInstantiation()) 14607 return; 14608 if (S.isUnevaluatedContext()) 14609 return; 14610 if (OpLoc.isInvalid() || OpLoc.isMacroID()) 14611 return; 14612 LHSExpr = LHSExpr->IgnoreParenImpCasts(); 14613 RHSExpr = RHSExpr->IgnoreParenImpCasts(); 14614 const DeclRefExpr *LHSDeclRef = dyn_cast<DeclRefExpr>(LHSExpr); 14615 const DeclRefExpr *RHSDeclRef = dyn_cast<DeclRefExpr>(RHSExpr); 14616 if (!LHSDeclRef || !RHSDeclRef || 14617 LHSDeclRef->getLocation().isMacroID() || 14618 RHSDeclRef->getLocation().isMacroID()) 14619 return; 14620 const ValueDecl *LHSDecl = 14621 cast<ValueDecl>(LHSDeclRef->getDecl()->getCanonicalDecl()); 14622 const ValueDecl *RHSDecl = 14623 cast<ValueDecl>(RHSDeclRef->getDecl()->getCanonicalDecl()); 14624 if (LHSDecl != RHSDecl) 14625 return; 14626 if (LHSDecl->getType().isVolatileQualified()) 14627 return; 14628 if (const ReferenceType *RefTy = LHSDecl->getType()->getAs<ReferenceType>()) 14629 if (RefTy->getPointeeType().isVolatileQualified()) 14630 return; 14631 14632 S.Diag(OpLoc, IsBuiltin ? diag::warn_self_assignment_builtin 14633 : diag::warn_self_assignment_overloaded) 14634 << LHSDeclRef->getType() << LHSExpr->getSourceRange() 14635 << RHSExpr->getSourceRange(); 14636 } 14637 14638 /// Check if a bitwise-& is performed on an Objective-C pointer. This 14639 /// is usually indicative of introspection within the Objective-C pointer. 14640 static void checkObjCPointerIntrospection(Sema &S, ExprResult &L, ExprResult &R, 14641 SourceLocation OpLoc) { 14642 if (!S.getLangOpts().ObjC) 14643 return; 14644 14645 const Expr *ObjCPointerExpr = nullptr, *OtherExpr = nullptr; 14646 const Expr *LHS = L.get(); 14647 const Expr *RHS = R.get(); 14648 14649 if (LHS->IgnoreParenCasts()->getType()->isObjCObjectPointerType()) { 14650 ObjCPointerExpr = LHS; 14651 OtherExpr = RHS; 14652 } 14653 else if (RHS->IgnoreParenCasts()->getType()->isObjCObjectPointerType()) { 14654 ObjCPointerExpr = RHS; 14655 OtherExpr = LHS; 14656 } 14657 14658 // This warning is deliberately made very specific to reduce false 14659 // positives with logic that uses '&' for hashing. This logic mainly 14660 // looks for code trying to introspect into tagged pointers, which 14661 // code should generally never do. 14662 if (ObjCPointerExpr && isa<IntegerLiteral>(OtherExpr->IgnoreParenCasts())) { 14663 unsigned Diag = diag::warn_objc_pointer_masking; 14664 // Determine if we are introspecting the result of performSelectorXXX. 14665 const Expr *Ex = ObjCPointerExpr->IgnoreParenCasts(); 14666 // Special case messages to -performSelector and friends, which 14667 // can return non-pointer values boxed in a pointer value. 14668 // Some clients may wish to silence warnings in this subcase. 14669 if (const ObjCMessageExpr *ME = dyn_cast<ObjCMessageExpr>(Ex)) { 14670 Selector S = ME->getSelector(); 14671 StringRef SelArg0 = S.getNameForSlot(0); 14672 if (SelArg0.startswith("performSelector")) 14673 Diag = diag::warn_objc_pointer_masking_performSelector; 14674 } 14675 14676 S.Diag(OpLoc, Diag) 14677 << ObjCPointerExpr->getSourceRange(); 14678 } 14679 } 14680 14681 static NamedDecl *getDeclFromExpr(Expr *E) { 14682 if (!E) 14683 return nullptr; 14684 if (auto *DRE = dyn_cast<DeclRefExpr>(E)) 14685 return DRE->getDecl(); 14686 if (auto *ME = dyn_cast<MemberExpr>(E)) 14687 return ME->getMemberDecl(); 14688 if (auto *IRE = dyn_cast<ObjCIvarRefExpr>(E)) 14689 return IRE->getDecl(); 14690 return nullptr; 14691 } 14692 14693 // This helper function promotes a binary operator's operands (which are of a 14694 // half vector type) to a vector of floats and then truncates the result to 14695 // a vector of either half or short. 14696 static ExprResult convertHalfVecBinOp(Sema &S, ExprResult LHS, ExprResult RHS, 14697 BinaryOperatorKind Opc, QualType ResultTy, 14698 ExprValueKind VK, ExprObjectKind OK, 14699 bool IsCompAssign, SourceLocation OpLoc, 14700 FPOptionsOverride FPFeatures) { 14701 auto &Context = S.getASTContext(); 14702 assert((isVector(ResultTy, Context.HalfTy) || 14703 isVector(ResultTy, Context.ShortTy)) && 14704 "Result must be a vector of half or short"); 14705 assert(isVector(LHS.get()->getType(), Context.HalfTy) && 14706 isVector(RHS.get()->getType(), Context.HalfTy) && 14707 "both operands expected to be a half vector"); 14708 14709 RHS = convertVector(RHS.get(), Context.FloatTy, S); 14710 QualType BinOpResTy = RHS.get()->getType(); 14711 14712 // If Opc is a comparison, ResultType is a vector of shorts. In that case, 14713 // change BinOpResTy to a vector of ints. 14714 if (isVector(ResultTy, Context.ShortTy)) 14715 BinOpResTy = S.GetSignedVectorType(BinOpResTy); 14716 14717 if (IsCompAssign) 14718 return CompoundAssignOperator::Create(Context, LHS.get(), RHS.get(), Opc, 14719 ResultTy, VK, OK, OpLoc, FPFeatures, 14720 BinOpResTy, BinOpResTy); 14721 14722 LHS = convertVector(LHS.get(), Context.FloatTy, S); 14723 auto *BO = BinaryOperator::Create(Context, LHS.get(), RHS.get(), Opc, 14724 BinOpResTy, VK, OK, OpLoc, FPFeatures); 14725 return convertVector(BO, ResultTy->castAs<VectorType>()->getElementType(), S); 14726 } 14727 14728 static std::pair<ExprResult, ExprResult> 14729 CorrectDelayedTyposInBinOp(Sema &S, BinaryOperatorKind Opc, Expr *LHSExpr, 14730 Expr *RHSExpr) { 14731 ExprResult LHS = LHSExpr, RHS = RHSExpr; 14732 if (!S.Context.isDependenceAllowed()) { 14733 // C cannot handle TypoExpr nodes on either side of a binop because it 14734 // doesn't handle dependent types properly, so make sure any TypoExprs have 14735 // been dealt with before checking the operands. 14736 LHS = S.CorrectDelayedTyposInExpr(LHS); 14737 RHS = S.CorrectDelayedTyposInExpr( 14738 RHS, /*InitDecl=*/nullptr, /*RecoverUncorrectedTypos=*/false, 14739 [Opc, LHS](Expr *E) { 14740 if (Opc != BO_Assign) 14741 return ExprResult(E); 14742 // Avoid correcting the RHS to the same Expr as the LHS. 14743 Decl *D = getDeclFromExpr(E); 14744 return (D && D == getDeclFromExpr(LHS.get())) ? ExprError() : E; 14745 }); 14746 } 14747 return std::make_pair(LHS, RHS); 14748 } 14749 14750 /// Returns true if conversion between vectors of halfs and vectors of floats 14751 /// is needed. 14752 static bool needsConversionOfHalfVec(bool OpRequiresConversion, ASTContext &Ctx, 14753 Expr *E0, Expr *E1 = nullptr) { 14754 if (!OpRequiresConversion || Ctx.getLangOpts().NativeHalfType || 14755 Ctx.getTargetInfo().useFP16ConversionIntrinsics()) 14756 return false; 14757 14758 auto HasVectorOfHalfType = [&Ctx](Expr *E) { 14759 QualType Ty = E->IgnoreImplicit()->getType(); 14760 14761 // Don't promote half precision neon vectors like float16x4_t in arm_neon.h 14762 // to vectors of floats. Although the element type of the vectors is __fp16, 14763 // the vectors shouldn't be treated as storage-only types. See the 14764 // discussion here: https://reviews.llvm.org/rG825235c140e7 14765 if (const VectorType *VT = Ty->getAs<VectorType>()) { 14766 if (VT->getVectorKind() == VectorType::NeonVector) 14767 return false; 14768 return VT->getElementType().getCanonicalType() == Ctx.HalfTy; 14769 } 14770 return false; 14771 }; 14772 14773 return HasVectorOfHalfType(E0) && (!E1 || HasVectorOfHalfType(E1)); 14774 } 14775 14776 /// CreateBuiltinBinOp - Creates a new built-in binary operation with 14777 /// operator @p Opc at location @c TokLoc. This routine only supports 14778 /// built-in operations; ActOnBinOp handles overloaded operators. 14779 ExprResult Sema::CreateBuiltinBinOp(SourceLocation OpLoc, 14780 BinaryOperatorKind Opc, 14781 Expr *LHSExpr, Expr *RHSExpr) { 14782 if (getLangOpts().CPlusPlus11 && isa<InitListExpr>(RHSExpr)) { 14783 // The syntax only allows initializer lists on the RHS of assignment, 14784 // so we don't need to worry about accepting invalid code for 14785 // non-assignment operators. 14786 // C++11 5.17p9: 14787 // The meaning of x = {v} [...] is that of x = T(v) [...]. The meaning 14788 // of x = {} is x = T(). 14789 InitializationKind Kind = InitializationKind::CreateDirectList( 14790 RHSExpr->getBeginLoc(), RHSExpr->getBeginLoc(), RHSExpr->getEndLoc()); 14791 InitializedEntity Entity = 14792 InitializedEntity::InitializeTemporary(LHSExpr->getType()); 14793 InitializationSequence InitSeq(*this, Entity, Kind, RHSExpr); 14794 ExprResult Init = InitSeq.Perform(*this, Entity, Kind, RHSExpr); 14795 if (Init.isInvalid()) 14796 return Init; 14797 RHSExpr = Init.get(); 14798 } 14799 14800 ExprResult LHS = LHSExpr, RHS = RHSExpr; 14801 QualType ResultTy; // Result type of the binary operator. 14802 // The following two variables are used for compound assignment operators 14803 QualType CompLHSTy; // Type of LHS after promotions for computation 14804 QualType CompResultTy; // Type of computation result 14805 ExprValueKind VK = VK_PRValue; 14806 ExprObjectKind OK = OK_Ordinary; 14807 bool ConvertHalfVec = false; 14808 14809 std::tie(LHS, RHS) = CorrectDelayedTyposInBinOp(*this, Opc, LHSExpr, RHSExpr); 14810 if (!LHS.isUsable() || !RHS.isUsable()) 14811 return ExprError(); 14812 14813 if (getLangOpts().OpenCL) { 14814 QualType LHSTy = LHSExpr->getType(); 14815 QualType RHSTy = RHSExpr->getType(); 14816 // OpenCLC v2.0 s6.13.11.1 allows atomic variables to be initialized by 14817 // the ATOMIC_VAR_INIT macro. 14818 if (LHSTy->isAtomicType() || RHSTy->isAtomicType()) { 14819 SourceRange SR(LHSExpr->getBeginLoc(), RHSExpr->getEndLoc()); 14820 if (BO_Assign == Opc) 14821 Diag(OpLoc, diag::err_opencl_atomic_init) << 0 << SR; 14822 else 14823 ResultTy = InvalidOperands(OpLoc, LHS, RHS); 14824 return ExprError(); 14825 } 14826 14827 // OpenCL special types - image, sampler, pipe, and blocks are to be used 14828 // only with a builtin functions and therefore should be disallowed here. 14829 if (LHSTy->isImageType() || RHSTy->isImageType() || 14830 LHSTy->isSamplerT() || RHSTy->isSamplerT() || 14831 LHSTy->isPipeType() || RHSTy->isPipeType() || 14832 LHSTy->isBlockPointerType() || RHSTy->isBlockPointerType()) { 14833 ResultTy = InvalidOperands(OpLoc, LHS, RHS); 14834 return ExprError(); 14835 } 14836 } 14837 14838 checkTypeSupport(LHSExpr->getType(), OpLoc, /*ValueDecl*/ nullptr); 14839 checkTypeSupport(RHSExpr->getType(), OpLoc, /*ValueDecl*/ nullptr); 14840 14841 switch (Opc) { 14842 case BO_Assign: 14843 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, QualType()); 14844 if (getLangOpts().CPlusPlus && 14845 LHS.get()->getObjectKind() != OK_ObjCProperty) { 14846 VK = LHS.get()->getValueKind(); 14847 OK = LHS.get()->getObjectKind(); 14848 } 14849 if (!ResultTy.isNull()) { 14850 DiagnoseSelfAssignment(*this, LHS.get(), RHS.get(), OpLoc, true); 14851 DiagnoseSelfMove(LHS.get(), RHS.get(), OpLoc); 14852 14853 // Avoid copying a block to the heap if the block is assigned to a local 14854 // auto variable that is declared in the same scope as the block. This 14855 // optimization is unsafe if the local variable is declared in an outer 14856 // scope. For example: 14857 // 14858 // BlockTy b; 14859 // { 14860 // b = ^{...}; 14861 // } 14862 // // It is unsafe to invoke the block here if it wasn't copied to the 14863 // // heap. 14864 // b(); 14865 14866 if (auto *BE = dyn_cast<BlockExpr>(RHS.get()->IgnoreParens())) 14867 if (auto *DRE = dyn_cast<DeclRefExpr>(LHS.get()->IgnoreParens())) 14868 if (auto *VD = dyn_cast<VarDecl>(DRE->getDecl())) 14869 if (VD->hasLocalStorage() && getCurScope()->isDeclScope(VD)) 14870 BE->getBlockDecl()->setCanAvoidCopyToHeap(); 14871 14872 if (LHS.get()->getType().hasNonTrivialToPrimitiveCopyCUnion()) 14873 checkNonTrivialCUnion(LHS.get()->getType(), LHS.get()->getExprLoc(), 14874 NTCUC_Assignment, NTCUK_Copy); 14875 } 14876 RecordModifiableNonNullParam(*this, LHS.get()); 14877 break; 14878 case BO_PtrMemD: 14879 case BO_PtrMemI: 14880 ResultTy = CheckPointerToMemberOperands(LHS, RHS, VK, OpLoc, 14881 Opc == BO_PtrMemI); 14882 break; 14883 case BO_Mul: 14884 case BO_Div: 14885 ConvertHalfVec = true; 14886 ResultTy = CheckMultiplyDivideOperands(LHS, RHS, OpLoc, false, 14887 Opc == BO_Div); 14888 break; 14889 case BO_Rem: 14890 ResultTy = CheckRemainderOperands(LHS, RHS, OpLoc); 14891 break; 14892 case BO_Add: 14893 ConvertHalfVec = true; 14894 ResultTy = CheckAdditionOperands(LHS, RHS, OpLoc, Opc); 14895 break; 14896 case BO_Sub: 14897 ConvertHalfVec = true; 14898 ResultTy = CheckSubtractionOperands(LHS, RHS, OpLoc); 14899 break; 14900 case BO_Shl: 14901 case BO_Shr: 14902 ResultTy = CheckShiftOperands(LHS, RHS, OpLoc, Opc); 14903 break; 14904 case BO_LE: 14905 case BO_LT: 14906 case BO_GE: 14907 case BO_GT: 14908 ConvertHalfVec = true; 14909 ResultTy = CheckCompareOperands(LHS, RHS, OpLoc, Opc); 14910 break; 14911 case BO_EQ: 14912 case BO_NE: 14913 ConvertHalfVec = true; 14914 ResultTy = CheckCompareOperands(LHS, RHS, OpLoc, Opc); 14915 break; 14916 case BO_Cmp: 14917 ConvertHalfVec = true; 14918 ResultTy = CheckCompareOperands(LHS, RHS, OpLoc, Opc); 14919 assert(ResultTy.isNull() || ResultTy->getAsCXXRecordDecl()); 14920 break; 14921 case BO_And: 14922 checkObjCPointerIntrospection(*this, LHS, RHS, OpLoc); 14923 LLVM_FALLTHROUGH; 14924 case BO_Xor: 14925 case BO_Or: 14926 ResultTy = CheckBitwiseOperands(LHS, RHS, OpLoc, Opc); 14927 break; 14928 case BO_LAnd: 14929 case BO_LOr: 14930 ConvertHalfVec = true; 14931 ResultTy = CheckLogicalOperands(LHS, RHS, OpLoc, Opc); 14932 break; 14933 case BO_MulAssign: 14934 case BO_DivAssign: 14935 ConvertHalfVec = true; 14936 CompResultTy = CheckMultiplyDivideOperands(LHS, RHS, OpLoc, true, 14937 Opc == BO_DivAssign); 14938 CompLHSTy = CompResultTy; 14939 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14940 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14941 break; 14942 case BO_RemAssign: 14943 CompResultTy = CheckRemainderOperands(LHS, RHS, OpLoc, true); 14944 CompLHSTy = CompResultTy; 14945 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14946 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14947 break; 14948 case BO_AddAssign: 14949 ConvertHalfVec = true; 14950 CompResultTy = CheckAdditionOperands(LHS, RHS, OpLoc, Opc, &CompLHSTy); 14951 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14952 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14953 break; 14954 case BO_SubAssign: 14955 ConvertHalfVec = true; 14956 CompResultTy = CheckSubtractionOperands(LHS, RHS, OpLoc, &CompLHSTy); 14957 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14958 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14959 break; 14960 case BO_ShlAssign: 14961 case BO_ShrAssign: 14962 CompResultTy = CheckShiftOperands(LHS, RHS, OpLoc, Opc, true); 14963 CompLHSTy = CompResultTy; 14964 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14965 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14966 break; 14967 case BO_AndAssign: 14968 case BO_OrAssign: // fallthrough 14969 DiagnoseSelfAssignment(*this, LHS.get(), RHS.get(), OpLoc, true); 14970 LLVM_FALLTHROUGH; 14971 case BO_XorAssign: 14972 CompResultTy = CheckBitwiseOperands(LHS, RHS, OpLoc, Opc); 14973 CompLHSTy = CompResultTy; 14974 if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid()) 14975 ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy); 14976 break; 14977 case BO_Comma: 14978 ResultTy = CheckCommaOperands(*this, LHS, RHS, OpLoc); 14979 if (getLangOpts().CPlusPlus && !RHS.isInvalid()) { 14980 VK = RHS.get()->getValueKind(); 14981 OK = RHS.get()->getObjectKind(); 14982 } 14983 break; 14984 } 14985 if (ResultTy.isNull() || LHS.isInvalid() || RHS.isInvalid()) 14986 return ExprError(); 14987 14988 // Some of the binary operations require promoting operands of half vector to 14989 // float vectors and truncating the result back to half vector. For now, we do 14990 // this only when HalfArgsAndReturn is set (that is, when the target is arm or 14991 // arm64). 14992 assert( 14993 (Opc == BO_Comma || isVector(RHS.get()->getType(), Context.HalfTy) == 14994 isVector(LHS.get()->getType(), Context.HalfTy)) && 14995 "both sides are half vectors or neither sides are"); 14996 ConvertHalfVec = 14997 needsConversionOfHalfVec(ConvertHalfVec, Context, LHS.get(), RHS.get()); 14998 14999 // Check for array bounds violations for both sides of the BinaryOperator 15000 CheckArrayAccess(LHS.get()); 15001 CheckArrayAccess(RHS.get()); 15002 15003 if (const ObjCIsaExpr *OISA = dyn_cast<ObjCIsaExpr>(LHS.get()->IgnoreParenCasts())) { 15004 NamedDecl *ObjectSetClass = LookupSingleName(TUScope, 15005 &Context.Idents.get("object_setClass"), 15006 SourceLocation(), LookupOrdinaryName); 15007 if (ObjectSetClass && isa<ObjCIsaExpr>(LHS.get())) { 15008 SourceLocation RHSLocEnd = getLocForEndOfToken(RHS.get()->getEndLoc()); 15009 Diag(LHS.get()->getExprLoc(), diag::warn_objc_isa_assign) 15010 << FixItHint::CreateInsertion(LHS.get()->getBeginLoc(), 15011 "object_setClass(") 15012 << FixItHint::CreateReplacement(SourceRange(OISA->getOpLoc(), OpLoc), 15013 ",") 15014 << FixItHint::CreateInsertion(RHSLocEnd, ")"); 15015 } 15016 else 15017 Diag(LHS.get()->getExprLoc(), diag::warn_objc_isa_assign); 15018 } 15019 else if (const ObjCIvarRefExpr *OIRE = 15020 dyn_cast<ObjCIvarRefExpr>(LHS.get()->IgnoreParenCasts())) 15021 DiagnoseDirectIsaAccess(*this, OIRE, OpLoc, RHS.get()); 15022 15023 // Opc is not a compound assignment if CompResultTy is null. 15024 if (CompResultTy.isNull()) { 15025 if (ConvertHalfVec) 15026 return convertHalfVecBinOp(*this, LHS, RHS, Opc, ResultTy, VK, OK, false, 15027 OpLoc, CurFPFeatureOverrides()); 15028 return BinaryOperator::Create(Context, LHS.get(), RHS.get(), Opc, ResultTy, 15029 VK, OK, OpLoc, CurFPFeatureOverrides()); 15030 } 15031 15032 // Handle compound assignments. 15033 if (getLangOpts().CPlusPlus && LHS.get()->getObjectKind() != 15034 OK_ObjCProperty) { 15035 VK = VK_LValue; 15036 OK = LHS.get()->getObjectKind(); 15037 } 15038 15039 // The LHS is not converted to the result type for fixed-point compound 15040 // assignment as the common type is computed on demand. Reset the CompLHSTy 15041 // to the LHS type we would have gotten after unary conversions. 15042 if (CompResultTy->isFixedPointType()) 15043 CompLHSTy = UsualUnaryConversions(LHS.get()).get()->getType(); 15044 15045 if (ConvertHalfVec) 15046 return convertHalfVecBinOp(*this, LHS, RHS, Opc, ResultTy, VK, OK, true, 15047 OpLoc, CurFPFeatureOverrides()); 15048 15049 return CompoundAssignOperator::Create( 15050 Context, LHS.get(), RHS.get(), Opc, ResultTy, VK, OK, OpLoc, 15051 CurFPFeatureOverrides(), CompLHSTy, CompResultTy); 15052 } 15053 15054 /// DiagnoseBitwisePrecedence - Emit a warning when bitwise and comparison 15055 /// operators are mixed in a way that suggests that the programmer forgot that 15056 /// comparison operators have higher precedence. The most typical example of 15057 /// such code is "flags & 0x0020 != 0", which is equivalent to "flags & 1". 15058 static void DiagnoseBitwisePrecedence(Sema &Self, BinaryOperatorKind Opc, 15059 SourceLocation OpLoc, Expr *LHSExpr, 15060 Expr *RHSExpr) { 15061 BinaryOperator *LHSBO = dyn_cast<BinaryOperator>(LHSExpr); 15062 BinaryOperator *RHSBO = dyn_cast<BinaryOperator>(RHSExpr); 15063 15064 // Check that one of the sides is a comparison operator and the other isn't. 15065 bool isLeftComp = LHSBO && LHSBO->isComparisonOp(); 15066 bool isRightComp = RHSBO && RHSBO->isComparisonOp(); 15067 if (isLeftComp == isRightComp) 15068 return; 15069 15070 // Bitwise operations are sometimes used as eager logical ops. 15071 // Don't diagnose this. 15072 bool isLeftBitwise = LHSBO && LHSBO->isBitwiseOp(); 15073 bool isRightBitwise = RHSBO && RHSBO->isBitwiseOp(); 15074 if (isLeftBitwise || isRightBitwise) 15075 return; 15076 15077 SourceRange DiagRange = isLeftComp 15078 ? SourceRange(LHSExpr->getBeginLoc(), OpLoc) 15079 : SourceRange(OpLoc, RHSExpr->getEndLoc()); 15080 StringRef OpStr = isLeftComp ? LHSBO->getOpcodeStr() : RHSBO->getOpcodeStr(); 15081 SourceRange ParensRange = 15082 isLeftComp 15083 ? SourceRange(LHSBO->getRHS()->getBeginLoc(), RHSExpr->getEndLoc()) 15084 : SourceRange(LHSExpr->getBeginLoc(), RHSBO->getLHS()->getEndLoc()); 15085 15086 Self.Diag(OpLoc, diag::warn_precedence_bitwise_rel) 15087 << DiagRange << BinaryOperator::getOpcodeStr(Opc) << OpStr; 15088 SuggestParentheses(Self, OpLoc, 15089 Self.PDiag(diag::note_precedence_silence) << OpStr, 15090 (isLeftComp ? LHSExpr : RHSExpr)->getSourceRange()); 15091 SuggestParentheses(Self, OpLoc, 15092 Self.PDiag(diag::note_precedence_bitwise_first) 15093 << BinaryOperator::getOpcodeStr(Opc), 15094 ParensRange); 15095 } 15096 15097 /// It accepts a '&&' expr that is inside a '||' one. 15098 /// Emit a diagnostic together with a fixit hint that wraps the '&&' expression 15099 /// in parentheses. 15100 static void 15101 EmitDiagnosticForLogicalAndInLogicalOr(Sema &Self, SourceLocation OpLoc, 15102 BinaryOperator *Bop) { 15103 assert(Bop->getOpcode() == BO_LAnd); 15104 Self.Diag(Bop->getOperatorLoc(), diag::warn_logical_and_in_logical_or) 15105 << Bop->getSourceRange() << OpLoc; 15106 SuggestParentheses(Self, Bop->getOperatorLoc(), 15107 Self.PDiag(diag::note_precedence_silence) 15108 << Bop->getOpcodeStr(), 15109 Bop->getSourceRange()); 15110 } 15111 15112 /// Returns true if the given expression can be evaluated as a constant 15113 /// 'true'. 15114 static bool EvaluatesAsTrue(Sema &S, Expr *E) { 15115 bool Res; 15116 return !E->isValueDependent() && 15117 E->EvaluateAsBooleanCondition(Res, S.getASTContext()) && Res; 15118 } 15119 15120 /// Returns true if the given expression can be evaluated as a constant 15121 /// 'false'. 15122 static bool EvaluatesAsFalse(Sema &S, Expr *E) { 15123 bool Res; 15124 return !E->isValueDependent() && 15125 E->EvaluateAsBooleanCondition(Res, S.getASTContext()) && !Res; 15126 } 15127 15128 /// Look for '&&' in the left hand of a '||' expr. 15129 static void DiagnoseLogicalAndInLogicalOrLHS(Sema &S, SourceLocation OpLoc, 15130 Expr *LHSExpr, Expr *RHSExpr) { 15131 if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(LHSExpr)) { 15132 if (Bop->getOpcode() == BO_LAnd) { 15133 // If it's "a && b || 0" don't warn since the precedence doesn't matter. 15134 if (EvaluatesAsFalse(S, RHSExpr)) 15135 return; 15136 // If it's "1 && a || b" don't warn since the precedence doesn't matter. 15137 if (!EvaluatesAsTrue(S, Bop->getLHS())) 15138 return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, Bop); 15139 } else if (Bop->getOpcode() == BO_LOr) { 15140 if (BinaryOperator *RBop = dyn_cast<BinaryOperator>(Bop->getRHS())) { 15141 // If it's "a || b && 1 || c" we didn't warn earlier for 15142 // "a || b && 1", but warn now. 15143 if (RBop->getOpcode() == BO_LAnd && EvaluatesAsTrue(S, RBop->getRHS())) 15144 return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, RBop); 15145 } 15146 } 15147 } 15148 } 15149 15150 /// Look for '&&' in the right hand of a '||' expr. 15151 static void DiagnoseLogicalAndInLogicalOrRHS(Sema &S, SourceLocation OpLoc, 15152 Expr *LHSExpr, Expr *RHSExpr) { 15153 if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(RHSExpr)) { 15154 if (Bop->getOpcode() == BO_LAnd) { 15155 // If it's "0 || a && b" don't warn since the precedence doesn't matter. 15156 if (EvaluatesAsFalse(S, LHSExpr)) 15157 return; 15158 // If it's "a || b && 1" don't warn since the precedence doesn't matter. 15159 if (!EvaluatesAsTrue(S, Bop->getRHS())) 15160 return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, Bop); 15161 } 15162 } 15163 } 15164 15165 /// Look for bitwise op in the left or right hand of a bitwise op with 15166 /// lower precedence and emit a diagnostic together with a fixit hint that wraps 15167 /// the '&' expression in parentheses. 15168 static void DiagnoseBitwiseOpInBitwiseOp(Sema &S, BinaryOperatorKind Opc, 15169 SourceLocation OpLoc, Expr *SubExpr) { 15170 if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(SubExpr)) { 15171 if (Bop->isBitwiseOp() && Bop->getOpcode() < Opc) { 15172 S.Diag(Bop->getOperatorLoc(), diag::warn_bitwise_op_in_bitwise_op) 15173 << Bop->getOpcodeStr() << BinaryOperator::getOpcodeStr(Opc) 15174 << Bop->getSourceRange() << OpLoc; 15175 SuggestParentheses(S, Bop->getOperatorLoc(), 15176 S.PDiag(diag::note_precedence_silence) 15177 << Bop->getOpcodeStr(), 15178 Bop->getSourceRange()); 15179 } 15180 } 15181 } 15182 15183 static void DiagnoseAdditionInShift(Sema &S, SourceLocation OpLoc, 15184 Expr *SubExpr, StringRef Shift) { 15185 if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(SubExpr)) { 15186 if (Bop->getOpcode() == BO_Add || Bop->getOpcode() == BO_Sub) { 15187 StringRef Op = Bop->getOpcodeStr(); 15188 S.Diag(Bop->getOperatorLoc(), diag::warn_addition_in_bitshift) 15189 << Bop->getSourceRange() << OpLoc << Shift << Op; 15190 SuggestParentheses(S, Bop->getOperatorLoc(), 15191 S.PDiag(diag::note_precedence_silence) << Op, 15192 Bop->getSourceRange()); 15193 } 15194 } 15195 } 15196 15197 static void DiagnoseShiftCompare(Sema &S, SourceLocation OpLoc, 15198 Expr *LHSExpr, Expr *RHSExpr) { 15199 CXXOperatorCallExpr *OCE = dyn_cast<CXXOperatorCallExpr>(LHSExpr); 15200 if (!OCE) 15201 return; 15202 15203 FunctionDecl *FD = OCE->getDirectCallee(); 15204 if (!FD || !FD->isOverloadedOperator()) 15205 return; 15206 15207 OverloadedOperatorKind Kind = FD->getOverloadedOperator(); 15208 if (Kind != OO_LessLess && Kind != OO_GreaterGreater) 15209 return; 15210 15211 S.Diag(OpLoc, diag::warn_overloaded_shift_in_comparison) 15212 << LHSExpr->getSourceRange() << RHSExpr->getSourceRange() 15213 << (Kind == OO_LessLess); 15214 SuggestParentheses(S, OCE->getOperatorLoc(), 15215 S.PDiag(diag::note_precedence_silence) 15216 << (Kind == OO_LessLess ? "<<" : ">>"), 15217 OCE->getSourceRange()); 15218 SuggestParentheses( 15219 S, OpLoc, S.PDiag(diag::note_evaluate_comparison_first), 15220 SourceRange(OCE->getArg(1)->getBeginLoc(), RHSExpr->getEndLoc())); 15221 } 15222 15223 /// DiagnoseBinOpPrecedence - Emit warnings for expressions with tricky 15224 /// precedence. 15225 static void DiagnoseBinOpPrecedence(Sema &Self, BinaryOperatorKind Opc, 15226 SourceLocation OpLoc, Expr *LHSExpr, 15227 Expr *RHSExpr){ 15228 // Diagnose "arg1 'bitwise' arg2 'eq' arg3". 15229 if (BinaryOperator::isBitwiseOp(Opc)) 15230 DiagnoseBitwisePrecedence(Self, Opc, OpLoc, LHSExpr, RHSExpr); 15231 15232 // Diagnose "arg1 & arg2 | arg3" 15233 if ((Opc == BO_Or || Opc == BO_Xor) && 15234 !OpLoc.isMacroID()/* Don't warn in macros. */) { 15235 DiagnoseBitwiseOpInBitwiseOp(Self, Opc, OpLoc, LHSExpr); 15236 DiagnoseBitwiseOpInBitwiseOp(Self, Opc, OpLoc, RHSExpr); 15237 } 15238 15239 // Warn about arg1 || arg2 && arg3, as GCC 4.3+ does. 15240 // We don't warn for 'assert(a || b && "bad")' since this is safe. 15241 if (Opc == BO_LOr && !OpLoc.isMacroID()/* Don't warn in macros. */) { 15242 DiagnoseLogicalAndInLogicalOrLHS(Self, OpLoc, LHSExpr, RHSExpr); 15243 DiagnoseLogicalAndInLogicalOrRHS(Self, OpLoc, LHSExpr, RHSExpr); 15244 } 15245 15246 if ((Opc == BO_Shl && LHSExpr->getType()->isIntegralType(Self.getASTContext())) 15247 || Opc == BO_Shr) { 15248 StringRef Shift = BinaryOperator::getOpcodeStr(Opc); 15249 DiagnoseAdditionInShift(Self, OpLoc, LHSExpr, Shift); 15250 DiagnoseAdditionInShift(Self, OpLoc, RHSExpr, Shift); 15251 } 15252 15253 // Warn on overloaded shift operators and comparisons, such as: 15254 // cout << 5 == 4; 15255 if (BinaryOperator::isComparisonOp(Opc)) 15256 DiagnoseShiftCompare(Self, OpLoc, LHSExpr, RHSExpr); 15257 } 15258 15259 // Binary Operators. 'Tok' is the token for the operator. 15260 ExprResult Sema::ActOnBinOp(Scope *S, SourceLocation TokLoc, 15261 tok::TokenKind Kind, 15262 Expr *LHSExpr, Expr *RHSExpr) { 15263 BinaryOperatorKind Opc = ConvertTokenKindToBinaryOpcode(Kind); 15264 assert(LHSExpr && "ActOnBinOp(): missing left expression"); 15265 assert(RHSExpr && "ActOnBinOp(): missing right expression"); 15266 15267 // Emit warnings for tricky precedence issues, e.g. "bitfield & 0x4 == 0" 15268 DiagnoseBinOpPrecedence(*this, Opc, TokLoc, LHSExpr, RHSExpr); 15269 15270 return BuildBinOp(S, TokLoc, Opc, LHSExpr, RHSExpr); 15271 } 15272 15273 void Sema::LookupBinOp(Scope *S, SourceLocation OpLoc, BinaryOperatorKind Opc, 15274 UnresolvedSetImpl &Functions) { 15275 OverloadedOperatorKind OverOp = BinaryOperator::getOverloadedOperator(Opc); 15276 if (OverOp != OO_None && OverOp != OO_Equal) 15277 LookupOverloadedOperatorName(OverOp, S, Functions); 15278 15279 // In C++20 onwards, we may have a second operator to look up. 15280 if (getLangOpts().CPlusPlus20) { 15281 if (OverloadedOperatorKind ExtraOp = getRewrittenOverloadedOperator(OverOp)) 15282 LookupOverloadedOperatorName(ExtraOp, S, Functions); 15283 } 15284 } 15285 15286 /// Build an overloaded binary operator expression in the given scope. 15287 static ExprResult BuildOverloadedBinOp(Sema &S, Scope *Sc, SourceLocation OpLoc, 15288 BinaryOperatorKind Opc, 15289 Expr *LHS, Expr *RHS) { 15290 switch (Opc) { 15291 case BO_Assign: 15292 case BO_DivAssign: 15293 case BO_RemAssign: 15294 case BO_SubAssign: 15295 case BO_AndAssign: 15296 case BO_OrAssign: 15297 case BO_XorAssign: 15298 DiagnoseSelfAssignment(S, LHS, RHS, OpLoc, false); 15299 CheckIdentityFieldAssignment(LHS, RHS, OpLoc, S); 15300 break; 15301 default: 15302 break; 15303 } 15304 15305 // Find all of the overloaded operators visible from this point. 15306 UnresolvedSet<16> Functions; 15307 S.LookupBinOp(Sc, OpLoc, Opc, Functions); 15308 15309 // Build the (potentially-overloaded, potentially-dependent) 15310 // binary operation. 15311 return S.CreateOverloadedBinOp(OpLoc, Opc, Functions, LHS, RHS); 15312 } 15313 15314 ExprResult Sema::BuildBinOp(Scope *S, SourceLocation OpLoc, 15315 BinaryOperatorKind Opc, 15316 Expr *LHSExpr, Expr *RHSExpr) { 15317 ExprResult LHS, RHS; 15318 std::tie(LHS, RHS) = CorrectDelayedTyposInBinOp(*this, Opc, LHSExpr, RHSExpr); 15319 if (!LHS.isUsable() || !RHS.isUsable()) 15320 return ExprError(); 15321 LHSExpr = LHS.get(); 15322 RHSExpr = RHS.get(); 15323 15324 // We want to end up calling one of checkPseudoObjectAssignment 15325 // (if the LHS is a pseudo-object), BuildOverloadedBinOp (if 15326 // both expressions are overloadable or either is type-dependent), 15327 // or CreateBuiltinBinOp (in any other case). We also want to get 15328 // any placeholder types out of the way. 15329 15330 // Handle pseudo-objects in the LHS. 15331 if (const BuiltinType *pty = LHSExpr->getType()->getAsPlaceholderType()) { 15332 // Assignments with a pseudo-object l-value need special analysis. 15333 if (pty->getKind() == BuiltinType::PseudoObject && 15334 BinaryOperator::isAssignmentOp(Opc)) 15335 return checkPseudoObjectAssignment(S, OpLoc, Opc, LHSExpr, RHSExpr); 15336 15337 // Don't resolve overloads if the other type is overloadable. 15338 if (getLangOpts().CPlusPlus && pty->getKind() == BuiltinType::Overload) { 15339 // We can't actually test that if we still have a placeholder, 15340 // though. Fortunately, none of the exceptions we see in that 15341 // code below are valid when the LHS is an overload set. Note 15342 // that an overload set can be dependently-typed, but it never 15343 // instantiates to having an overloadable type. 15344 ExprResult resolvedRHS = CheckPlaceholderExpr(RHSExpr); 15345 if (resolvedRHS.isInvalid()) return ExprError(); 15346 RHSExpr = resolvedRHS.get(); 15347 15348 if (RHSExpr->isTypeDependent() || 15349 RHSExpr->getType()->isOverloadableType()) 15350 return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr); 15351 } 15352 15353 // If we're instantiating "a.x < b" or "A::x < b" and 'x' names a function 15354 // template, diagnose the missing 'template' keyword instead of diagnosing 15355 // an invalid use of a bound member function. 15356 // 15357 // Note that "A::x < b" might be valid if 'b' has an overloadable type due 15358 // to C++1z [over.over]/1.4, but we already checked for that case above. 15359 if (Opc == BO_LT && inTemplateInstantiation() && 15360 (pty->getKind() == BuiltinType::BoundMember || 15361 pty->getKind() == BuiltinType::Overload)) { 15362 auto *OE = dyn_cast<OverloadExpr>(LHSExpr); 15363 if (OE && !OE->hasTemplateKeyword() && !OE->hasExplicitTemplateArgs() && 15364 std::any_of(OE->decls_begin(), OE->decls_end(), [](NamedDecl *ND) { 15365 return isa<FunctionTemplateDecl>(ND); 15366 })) { 15367 Diag(OE->getQualifier() ? OE->getQualifierLoc().getBeginLoc() 15368 : OE->getNameLoc(), 15369 diag::err_template_kw_missing) 15370 << OE->getName().getAsString() << ""; 15371 return ExprError(); 15372 } 15373 } 15374 15375 ExprResult LHS = CheckPlaceholderExpr(LHSExpr); 15376 if (LHS.isInvalid()) return ExprError(); 15377 LHSExpr = LHS.get(); 15378 } 15379 15380 // Handle pseudo-objects in the RHS. 15381 if (const BuiltinType *pty = RHSExpr->getType()->getAsPlaceholderType()) { 15382 // An overload in the RHS can potentially be resolved by the type 15383 // being assigned to. 15384 if (Opc == BO_Assign && pty->getKind() == BuiltinType::Overload) { 15385 if (getLangOpts().CPlusPlus && 15386 (LHSExpr->isTypeDependent() || RHSExpr->isTypeDependent() || 15387 LHSExpr->getType()->isOverloadableType())) 15388 return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr); 15389 15390 return CreateBuiltinBinOp(OpLoc, Opc, LHSExpr, RHSExpr); 15391 } 15392 15393 // Don't resolve overloads if the other type is overloadable. 15394 if (getLangOpts().CPlusPlus && pty->getKind() == BuiltinType::Overload && 15395 LHSExpr->getType()->isOverloadableType()) 15396 return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr); 15397 15398 ExprResult resolvedRHS = CheckPlaceholderExpr(RHSExpr); 15399 if (!resolvedRHS.isUsable()) return ExprError(); 15400 RHSExpr = resolvedRHS.get(); 15401 } 15402 15403 if (getLangOpts().CPlusPlus) { 15404 // If either expression is type-dependent, always build an 15405 // overloaded op. 15406 if (LHSExpr->isTypeDependent() || RHSExpr->isTypeDependent()) 15407 return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr); 15408 15409 // Otherwise, build an overloaded op if either expression has an 15410 // overloadable type. 15411 if (LHSExpr->getType()->isOverloadableType() || 15412 RHSExpr->getType()->isOverloadableType()) 15413 return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr); 15414 } 15415 15416 if (getLangOpts().RecoveryAST && 15417 (LHSExpr->isTypeDependent() || RHSExpr->isTypeDependent())) { 15418 assert(!getLangOpts().CPlusPlus); 15419 assert((LHSExpr->containsErrors() || RHSExpr->containsErrors()) && 15420 "Should only occur in error-recovery path."); 15421 if (BinaryOperator::isCompoundAssignmentOp(Opc)) 15422 // C [6.15.16] p3: 15423 // An assignment expression has the value of the left operand after the 15424 // assignment, but is not an lvalue. 15425 return CompoundAssignOperator::Create( 15426 Context, LHSExpr, RHSExpr, Opc, 15427 LHSExpr->getType().getUnqualifiedType(), VK_PRValue, OK_Ordinary, 15428 OpLoc, CurFPFeatureOverrides()); 15429 QualType ResultType; 15430 switch (Opc) { 15431 case BO_Assign: 15432 ResultType = LHSExpr->getType().getUnqualifiedType(); 15433 break; 15434 case BO_LT: 15435 case BO_GT: 15436 case BO_LE: 15437 case BO_GE: 15438 case BO_EQ: 15439 case BO_NE: 15440 case BO_LAnd: 15441 case BO_LOr: 15442 // These operators have a fixed result type regardless of operands. 15443 ResultType = Context.IntTy; 15444 break; 15445 case BO_Comma: 15446 ResultType = RHSExpr->getType(); 15447 break; 15448 default: 15449 ResultType = Context.DependentTy; 15450 break; 15451 } 15452 return BinaryOperator::Create(Context, LHSExpr, RHSExpr, Opc, ResultType, 15453 VK_PRValue, OK_Ordinary, OpLoc, 15454 CurFPFeatureOverrides()); 15455 } 15456 15457 // Build a built-in binary operation. 15458 return CreateBuiltinBinOp(OpLoc, Opc, LHSExpr, RHSExpr); 15459 } 15460 15461 static bool isOverflowingIntegerType(ASTContext &Ctx, QualType T) { 15462 if (T.isNull() || T->isDependentType()) 15463 return false; 15464 15465 if (!T->isPromotableIntegerType()) 15466 return true; 15467 15468 return Ctx.getIntWidth(T) >= Ctx.getIntWidth(Ctx.IntTy); 15469 } 15470 15471 ExprResult Sema::CreateBuiltinUnaryOp(SourceLocation OpLoc, 15472 UnaryOperatorKind Opc, 15473 Expr *InputExpr) { 15474 ExprResult Input = InputExpr; 15475 ExprValueKind VK = VK_PRValue; 15476 ExprObjectKind OK = OK_Ordinary; 15477 QualType resultType; 15478 bool CanOverflow = false; 15479 15480 bool ConvertHalfVec = false; 15481 if (getLangOpts().OpenCL) { 15482 QualType Ty = InputExpr->getType(); 15483 // The only legal unary operation for atomics is '&'. 15484 if ((Opc != UO_AddrOf && Ty->isAtomicType()) || 15485 // OpenCL special types - image, sampler, pipe, and blocks are to be used 15486 // only with a builtin functions and therefore should be disallowed here. 15487 (Ty->isImageType() || Ty->isSamplerT() || Ty->isPipeType() 15488 || Ty->isBlockPointerType())) { 15489 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15490 << InputExpr->getType() 15491 << Input.get()->getSourceRange()); 15492 } 15493 } 15494 15495 if (getLangOpts().HLSL) { 15496 if (Opc == UO_AddrOf) 15497 return ExprError(Diag(OpLoc, diag::err_hlsl_operator_unsupported) << 0); 15498 if (Opc == UO_Deref) 15499 return ExprError(Diag(OpLoc, diag::err_hlsl_operator_unsupported) << 1); 15500 } 15501 15502 switch (Opc) { 15503 case UO_PreInc: 15504 case UO_PreDec: 15505 case UO_PostInc: 15506 case UO_PostDec: 15507 resultType = CheckIncrementDecrementOperand(*this, Input.get(), VK, OK, 15508 OpLoc, 15509 Opc == UO_PreInc || 15510 Opc == UO_PostInc, 15511 Opc == UO_PreInc || 15512 Opc == UO_PreDec); 15513 CanOverflow = isOverflowingIntegerType(Context, resultType); 15514 break; 15515 case UO_AddrOf: 15516 resultType = CheckAddressOfOperand(Input, OpLoc); 15517 CheckAddressOfNoDeref(InputExpr); 15518 RecordModifiableNonNullParam(*this, InputExpr); 15519 break; 15520 case UO_Deref: { 15521 Input = DefaultFunctionArrayLvalueConversion(Input.get()); 15522 if (Input.isInvalid()) return ExprError(); 15523 resultType = CheckIndirectionOperand(*this, Input.get(), VK, OpLoc); 15524 break; 15525 } 15526 case UO_Plus: 15527 case UO_Minus: 15528 CanOverflow = Opc == UO_Minus && 15529 isOverflowingIntegerType(Context, Input.get()->getType()); 15530 Input = UsualUnaryConversions(Input.get()); 15531 if (Input.isInvalid()) return ExprError(); 15532 // Unary plus and minus require promoting an operand of half vector to a 15533 // float vector and truncating the result back to a half vector. For now, we 15534 // do this only when HalfArgsAndReturns is set (that is, when the target is 15535 // arm or arm64). 15536 ConvertHalfVec = needsConversionOfHalfVec(true, Context, Input.get()); 15537 15538 // If the operand is a half vector, promote it to a float vector. 15539 if (ConvertHalfVec) 15540 Input = convertVector(Input.get(), Context.FloatTy, *this); 15541 resultType = Input.get()->getType(); 15542 if (resultType->isDependentType()) 15543 break; 15544 if (resultType->isArithmeticType()) // C99 6.5.3.3p1 15545 break; 15546 else if (resultType->isVectorType() && 15547 // The z vector extensions don't allow + or - with bool vectors. 15548 (!Context.getLangOpts().ZVector || 15549 resultType->castAs<VectorType>()->getVectorKind() != 15550 VectorType::AltiVecBool)) 15551 break; 15552 else if (getLangOpts().CPlusPlus && // C++ [expr.unary.op]p6 15553 Opc == UO_Plus && 15554 resultType->isPointerType()) 15555 break; 15556 15557 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15558 << resultType << Input.get()->getSourceRange()); 15559 15560 case UO_Not: // bitwise complement 15561 Input = UsualUnaryConversions(Input.get()); 15562 if (Input.isInvalid()) 15563 return ExprError(); 15564 resultType = Input.get()->getType(); 15565 if (resultType->isDependentType()) 15566 break; 15567 // C99 6.5.3.3p1. We allow complex int and float as a GCC extension. 15568 if (resultType->isComplexType() || resultType->isComplexIntegerType()) 15569 // C99 does not support '~' for complex conjugation. 15570 Diag(OpLoc, diag::ext_integer_complement_complex) 15571 << resultType << Input.get()->getSourceRange(); 15572 else if (resultType->hasIntegerRepresentation()) 15573 break; 15574 else if (resultType->isExtVectorType() && Context.getLangOpts().OpenCL) { 15575 // OpenCL v1.1 s6.3.f: The bitwise operator not (~) does not operate 15576 // on vector float types. 15577 QualType T = resultType->castAs<ExtVectorType>()->getElementType(); 15578 if (!T->isIntegerType()) 15579 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15580 << resultType << Input.get()->getSourceRange()); 15581 } else { 15582 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15583 << resultType << Input.get()->getSourceRange()); 15584 } 15585 break; 15586 15587 case UO_LNot: // logical negation 15588 // Unlike +/-/~, integer promotions aren't done here (C99 6.5.3.3p5). 15589 Input = DefaultFunctionArrayLvalueConversion(Input.get()); 15590 if (Input.isInvalid()) return ExprError(); 15591 resultType = Input.get()->getType(); 15592 15593 // Though we still have to promote half FP to float... 15594 if (resultType->isHalfType() && !Context.getLangOpts().NativeHalfType) { 15595 Input = ImpCastExprToType(Input.get(), Context.FloatTy, CK_FloatingCast).get(); 15596 resultType = Context.FloatTy; 15597 } 15598 15599 if (resultType->isDependentType()) 15600 break; 15601 if (resultType->isScalarType() && !isScopedEnumerationType(resultType)) { 15602 // C99 6.5.3.3p1: ok, fallthrough; 15603 if (Context.getLangOpts().CPlusPlus) { 15604 // C++03 [expr.unary.op]p8, C++0x [expr.unary.op]p9: 15605 // operand contextually converted to bool. 15606 Input = ImpCastExprToType(Input.get(), Context.BoolTy, 15607 ScalarTypeToBooleanCastKind(resultType)); 15608 } else if (Context.getLangOpts().OpenCL && 15609 Context.getLangOpts().OpenCLVersion < 120) { 15610 // OpenCL v1.1 6.3.h: The logical operator not (!) does not 15611 // operate on scalar float types. 15612 if (!resultType->isIntegerType() && !resultType->isPointerType()) 15613 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15614 << resultType << Input.get()->getSourceRange()); 15615 } 15616 } else if (resultType->isExtVectorType()) { 15617 if (Context.getLangOpts().OpenCL && 15618 Context.getLangOpts().getOpenCLCompatibleVersion() < 120) { 15619 // OpenCL v1.1 6.3.h: The logical operator not (!) does not 15620 // operate on vector float types. 15621 QualType T = resultType->castAs<ExtVectorType>()->getElementType(); 15622 if (!T->isIntegerType()) 15623 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15624 << resultType << Input.get()->getSourceRange()); 15625 } 15626 // Vector logical not returns the signed variant of the operand type. 15627 resultType = GetSignedVectorType(resultType); 15628 break; 15629 } else if (Context.getLangOpts().CPlusPlus && resultType->isVectorType()) { 15630 const VectorType *VTy = resultType->castAs<VectorType>(); 15631 if (VTy->getVectorKind() != VectorType::GenericVector) 15632 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15633 << resultType << Input.get()->getSourceRange()); 15634 15635 // Vector logical not returns the signed variant of the operand type. 15636 resultType = GetSignedVectorType(resultType); 15637 break; 15638 } else { 15639 return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr) 15640 << resultType << Input.get()->getSourceRange()); 15641 } 15642 15643 // LNot always has type int. C99 6.5.3.3p5. 15644 // In C++, it's bool. C++ 5.3.1p8 15645 resultType = Context.getLogicalOperationType(); 15646 break; 15647 case UO_Real: 15648 case UO_Imag: 15649 resultType = CheckRealImagOperand(*this, Input, OpLoc, Opc == UO_Real); 15650 // _Real maps ordinary l-values into ordinary l-values. _Imag maps ordinary 15651 // complex l-values to ordinary l-values and all other values to r-values. 15652 if (Input.isInvalid()) return ExprError(); 15653 if (Opc == UO_Real || Input.get()->getType()->isAnyComplexType()) { 15654 if (Input.get()->isGLValue() && 15655 Input.get()->getObjectKind() == OK_Ordinary) 15656 VK = Input.get()->getValueKind(); 15657 } else if (!getLangOpts().CPlusPlus) { 15658 // In C, a volatile scalar is read by __imag. In C++, it is not. 15659 Input = DefaultLvalueConversion(Input.get()); 15660 } 15661 break; 15662 case UO_Extension: 15663 resultType = Input.get()->getType(); 15664 VK = Input.get()->getValueKind(); 15665 OK = Input.get()->getObjectKind(); 15666 break; 15667 case UO_Coawait: 15668 // It's unnecessary to represent the pass-through operator co_await in the 15669 // AST; just return the input expression instead. 15670 assert(!Input.get()->getType()->isDependentType() && 15671 "the co_await expression must be non-dependant before " 15672 "building operator co_await"); 15673 return Input; 15674 } 15675 if (resultType.isNull() || Input.isInvalid()) 15676 return ExprError(); 15677 15678 // Check for array bounds violations in the operand of the UnaryOperator, 15679 // except for the '*' and '&' operators that have to be handled specially 15680 // by CheckArrayAccess (as there are special cases like &array[arraysize] 15681 // that are explicitly defined as valid by the standard). 15682 if (Opc != UO_AddrOf && Opc != UO_Deref) 15683 CheckArrayAccess(Input.get()); 15684 15685 auto *UO = 15686 UnaryOperator::Create(Context, Input.get(), Opc, resultType, VK, OK, 15687 OpLoc, CanOverflow, CurFPFeatureOverrides()); 15688 15689 if (Opc == UO_Deref && UO->getType()->hasAttr(attr::NoDeref) && 15690 !isa<ArrayType>(UO->getType().getDesugaredType(Context)) && 15691 !isUnevaluatedContext()) 15692 ExprEvalContexts.back().PossibleDerefs.insert(UO); 15693 15694 // Convert the result back to a half vector. 15695 if (ConvertHalfVec) 15696 return convertVector(UO, Context.HalfTy, *this); 15697 return UO; 15698 } 15699 15700 /// Determine whether the given expression is a qualified member 15701 /// access expression, of a form that could be turned into a pointer to member 15702 /// with the address-of operator. 15703 bool Sema::isQualifiedMemberAccess(Expr *E) { 15704 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) { 15705 if (!DRE->getQualifier()) 15706 return false; 15707 15708 ValueDecl *VD = DRE->getDecl(); 15709 if (!VD->isCXXClassMember()) 15710 return false; 15711 15712 if (isa<FieldDecl>(VD) || isa<IndirectFieldDecl>(VD)) 15713 return true; 15714 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(VD)) 15715 return Method->isInstance(); 15716 15717 return false; 15718 } 15719 15720 if (UnresolvedLookupExpr *ULE = dyn_cast<UnresolvedLookupExpr>(E)) { 15721 if (!ULE->getQualifier()) 15722 return false; 15723 15724 for (NamedDecl *D : ULE->decls()) { 15725 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(D)) { 15726 if (Method->isInstance()) 15727 return true; 15728 } else { 15729 // Overload set does not contain methods. 15730 break; 15731 } 15732 } 15733 15734 return false; 15735 } 15736 15737 return false; 15738 } 15739 15740 ExprResult Sema::BuildUnaryOp(Scope *S, SourceLocation OpLoc, 15741 UnaryOperatorKind Opc, Expr *Input) { 15742 // First things first: handle placeholders so that the 15743 // overloaded-operator check considers the right type. 15744 if (const BuiltinType *pty = Input->getType()->getAsPlaceholderType()) { 15745 // Increment and decrement of pseudo-object references. 15746 if (pty->getKind() == BuiltinType::PseudoObject && 15747 UnaryOperator::isIncrementDecrementOp(Opc)) 15748 return checkPseudoObjectIncDec(S, OpLoc, Opc, Input); 15749 15750 // extension is always a builtin operator. 15751 if (Opc == UO_Extension) 15752 return CreateBuiltinUnaryOp(OpLoc, Opc, Input); 15753 15754 // & gets special logic for several kinds of placeholder. 15755 // The builtin code knows what to do. 15756 if (Opc == UO_AddrOf && 15757 (pty->getKind() == BuiltinType::Overload || 15758 pty->getKind() == BuiltinType::UnknownAny || 15759 pty->getKind() == BuiltinType::BoundMember)) 15760 return CreateBuiltinUnaryOp(OpLoc, Opc, Input); 15761 15762 // Anything else needs to be handled now. 15763 ExprResult Result = CheckPlaceholderExpr(Input); 15764 if (Result.isInvalid()) return ExprError(); 15765 Input = Result.get(); 15766 } 15767 15768 if (getLangOpts().CPlusPlus && Input->getType()->isOverloadableType() && 15769 UnaryOperator::getOverloadedOperator(Opc) != OO_None && 15770 !(Opc == UO_AddrOf && isQualifiedMemberAccess(Input))) { 15771 // Find all of the overloaded operators visible from this point. 15772 UnresolvedSet<16> Functions; 15773 OverloadedOperatorKind OverOp = UnaryOperator::getOverloadedOperator(Opc); 15774 if (S && OverOp != OO_None) 15775 LookupOverloadedOperatorName(OverOp, S, Functions); 15776 15777 return CreateOverloadedUnaryOp(OpLoc, Opc, Functions, Input); 15778 } 15779 15780 return CreateBuiltinUnaryOp(OpLoc, Opc, Input); 15781 } 15782 15783 // Unary Operators. 'Tok' is the token for the operator. 15784 ExprResult Sema::ActOnUnaryOp(Scope *S, SourceLocation OpLoc, 15785 tok::TokenKind Op, Expr *Input) { 15786 return BuildUnaryOp(S, OpLoc, ConvertTokenKindToUnaryOpcode(Op), Input); 15787 } 15788 15789 /// ActOnAddrLabel - Parse the GNU address of label extension: "&&foo". 15790 ExprResult Sema::ActOnAddrLabel(SourceLocation OpLoc, SourceLocation LabLoc, 15791 LabelDecl *TheDecl) { 15792 TheDecl->markUsed(Context); 15793 // Create the AST node. The address of a label always has type 'void*'. 15794 return new (Context) AddrLabelExpr(OpLoc, LabLoc, TheDecl, 15795 Context.getPointerType(Context.VoidTy)); 15796 } 15797 15798 void Sema::ActOnStartStmtExpr() { 15799 PushExpressionEvaluationContext(ExprEvalContexts.back().Context); 15800 } 15801 15802 void Sema::ActOnStmtExprError() { 15803 // Note that function is also called by TreeTransform when leaving a 15804 // StmtExpr scope without rebuilding anything. 15805 15806 DiscardCleanupsInEvaluationContext(); 15807 PopExpressionEvaluationContext(); 15808 } 15809 15810 ExprResult Sema::ActOnStmtExpr(Scope *S, SourceLocation LPLoc, Stmt *SubStmt, 15811 SourceLocation RPLoc) { 15812 return BuildStmtExpr(LPLoc, SubStmt, RPLoc, getTemplateDepth(S)); 15813 } 15814 15815 ExprResult Sema::BuildStmtExpr(SourceLocation LPLoc, Stmt *SubStmt, 15816 SourceLocation RPLoc, unsigned TemplateDepth) { 15817 assert(SubStmt && isa<CompoundStmt>(SubStmt) && "Invalid action invocation!"); 15818 CompoundStmt *Compound = cast<CompoundStmt>(SubStmt); 15819 15820 if (hasAnyUnrecoverableErrorsInThisFunction()) 15821 DiscardCleanupsInEvaluationContext(); 15822 assert(!Cleanup.exprNeedsCleanups() && 15823 "cleanups within StmtExpr not correctly bound!"); 15824 PopExpressionEvaluationContext(); 15825 15826 // FIXME: there are a variety of strange constraints to enforce here, for 15827 // example, it is not possible to goto into a stmt expression apparently. 15828 // More semantic analysis is needed. 15829 15830 // If there are sub-stmts in the compound stmt, take the type of the last one 15831 // as the type of the stmtexpr. 15832 QualType Ty = Context.VoidTy; 15833 bool StmtExprMayBindToTemp = false; 15834 if (!Compound->body_empty()) { 15835 // For GCC compatibility we get the last Stmt excluding trailing NullStmts. 15836 if (const auto *LastStmt = 15837 dyn_cast<ValueStmt>(Compound->getStmtExprResult())) { 15838 if (const Expr *Value = LastStmt->getExprStmt()) { 15839 StmtExprMayBindToTemp = true; 15840 Ty = Value->getType(); 15841 } 15842 } 15843 } 15844 15845 // FIXME: Check that expression type is complete/non-abstract; statement 15846 // expressions are not lvalues. 15847 Expr *ResStmtExpr = 15848 new (Context) StmtExpr(Compound, Ty, LPLoc, RPLoc, TemplateDepth); 15849 if (StmtExprMayBindToTemp) 15850 return MaybeBindToTemporary(ResStmtExpr); 15851 return ResStmtExpr; 15852 } 15853 15854 ExprResult Sema::ActOnStmtExprResult(ExprResult ER) { 15855 if (ER.isInvalid()) 15856 return ExprError(); 15857 15858 // Do function/array conversion on the last expression, but not 15859 // lvalue-to-rvalue. However, initialize an unqualified type. 15860 ER = DefaultFunctionArrayConversion(ER.get()); 15861 if (ER.isInvalid()) 15862 return ExprError(); 15863 Expr *E = ER.get(); 15864 15865 if (E->isTypeDependent()) 15866 return E; 15867 15868 // In ARC, if the final expression ends in a consume, splice 15869 // the consume out and bind it later. In the alternate case 15870 // (when dealing with a retainable type), the result 15871 // initialization will create a produce. In both cases the 15872 // result will be +1, and we'll need to balance that out with 15873 // a bind. 15874 auto *Cast = dyn_cast<ImplicitCastExpr>(E); 15875 if (Cast && Cast->getCastKind() == CK_ARCConsumeObject) 15876 return Cast->getSubExpr(); 15877 15878 // FIXME: Provide a better location for the initialization. 15879 return PerformCopyInitialization( 15880 InitializedEntity::InitializeStmtExprResult( 15881 E->getBeginLoc(), E->getType().getUnqualifiedType()), 15882 SourceLocation(), E); 15883 } 15884 15885 ExprResult Sema::BuildBuiltinOffsetOf(SourceLocation BuiltinLoc, 15886 TypeSourceInfo *TInfo, 15887 ArrayRef<OffsetOfComponent> Components, 15888 SourceLocation RParenLoc) { 15889 QualType ArgTy = TInfo->getType(); 15890 bool Dependent = ArgTy->isDependentType(); 15891 SourceRange TypeRange = TInfo->getTypeLoc().getLocalSourceRange(); 15892 15893 // We must have at least one component that refers to the type, and the first 15894 // one is known to be a field designator. Verify that the ArgTy represents 15895 // a struct/union/class. 15896 if (!Dependent && !ArgTy->isRecordType()) 15897 return ExprError(Diag(BuiltinLoc, diag::err_offsetof_record_type) 15898 << ArgTy << TypeRange); 15899 15900 // Type must be complete per C99 7.17p3 because a declaring a variable 15901 // with an incomplete type would be ill-formed. 15902 if (!Dependent 15903 && RequireCompleteType(BuiltinLoc, ArgTy, 15904 diag::err_offsetof_incomplete_type, TypeRange)) 15905 return ExprError(); 15906 15907 bool DidWarnAboutNonPOD = false; 15908 QualType CurrentType = ArgTy; 15909 SmallVector<OffsetOfNode, 4> Comps; 15910 SmallVector<Expr*, 4> Exprs; 15911 for (const OffsetOfComponent &OC : Components) { 15912 if (OC.isBrackets) { 15913 // Offset of an array sub-field. TODO: Should we allow vector elements? 15914 if (!CurrentType->isDependentType()) { 15915 const ArrayType *AT = Context.getAsArrayType(CurrentType); 15916 if(!AT) 15917 return ExprError(Diag(OC.LocEnd, diag::err_offsetof_array_type) 15918 << CurrentType); 15919 CurrentType = AT->getElementType(); 15920 } else 15921 CurrentType = Context.DependentTy; 15922 15923 ExprResult IdxRval = DefaultLvalueConversion(static_cast<Expr*>(OC.U.E)); 15924 if (IdxRval.isInvalid()) 15925 return ExprError(); 15926 Expr *Idx = IdxRval.get(); 15927 15928 // The expression must be an integral expression. 15929 // FIXME: An integral constant expression? 15930 if (!Idx->isTypeDependent() && !Idx->isValueDependent() && 15931 !Idx->getType()->isIntegerType()) 15932 return ExprError( 15933 Diag(Idx->getBeginLoc(), diag::err_typecheck_subscript_not_integer) 15934 << Idx->getSourceRange()); 15935 15936 // Record this array index. 15937 Comps.push_back(OffsetOfNode(OC.LocStart, Exprs.size(), OC.LocEnd)); 15938 Exprs.push_back(Idx); 15939 continue; 15940 } 15941 15942 // Offset of a field. 15943 if (CurrentType->isDependentType()) { 15944 // We have the offset of a field, but we can't look into the dependent 15945 // type. Just record the identifier of the field. 15946 Comps.push_back(OffsetOfNode(OC.LocStart, OC.U.IdentInfo, OC.LocEnd)); 15947 CurrentType = Context.DependentTy; 15948 continue; 15949 } 15950 15951 // We need to have a complete type to look into. 15952 if (RequireCompleteType(OC.LocStart, CurrentType, 15953 diag::err_offsetof_incomplete_type)) 15954 return ExprError(); 15955 15956 // Look for the designated field. 15957 const RecordType *RC = CurrentType->getAs<RecordType>(); 15958 if (!RC) 15959 return ExprError(Diag(OC.LocEnd, diag::err_offsetof_record_type) 15960 << CurrentType); 15961 RecordDecl *RD = RC->getDecl(); 15962 15963 // C++ [lib.support.types]p5: 15964 // The macro offsetof accepts a restricted set of type arguments in this 15965 // International Standard. type shall be a POD structure or a POD union 15966 // (clause 9). 15967 // C++11 [support.types]p4: 15968 // If type is not a standard-layout class (Clause 9), the results are 15969 // undefined. 15970 if (CXXRecordDecl *CRD = dyn_cast<CXXRecordDecl>(RD)) { 15971 bool IsSafe = LangOpts.CPlusPlus11? CRD->isStandardLayout() : CRD->isPOD(); 15972 unsigned DiagID = 15973 LangOpts.CPlusPlus11? diag::ext_offsetof_non_standardlayout_type 15974 : diag::ext_offsetof_non_pod_type; 15975 15976 if (!IsSafe && !DidWarnAboutNonPOD && 15977 DiagRuntimeBehavior(BuiltinLoc, nullptr, 15978 PDiag(DiagID) 15979 << SourceRange(Components[0].LocStart, OC.LocEnd) 15980 << CurrentType)) 15981 DidWarnAboutNonPOD = true; 15982 } 15983 15984 // Look for the field. 15985 LookupResult R(*this, OC.U.IdentInfo, OC.LocStart, LookupMemberName); 15986 LookupQualifiedName(R, RD); 15987 FieldDecl *MemberDecl = R.getAsSingle<FieldDecl>(); 15988 IndirectFieldDecl *IndirectMemberDecl = nullptr; 15989 if (!MemberDecl) { 15990 if ((IndirectMemberDecl = R.getAsSingle<IndirectFieldDecl>())) 15991 MemberDecl = IndirectMemberDecl->getAnonField(); 15992 } 15993 15994 if (!MemberDecl) 15995 return ExprError(Diag(BuiltinLoc, diag::err_no_member) 15996 << OC.U.IdentInfo << RD << SourceRange(OC.LocStart, 15997 OC.LocEnd)); 15998 15999 // C99 7.17p3: 16000 // (If the specified member is a bit-field, the behavior is undefined.) 16001 // 16002 // We diagnose this as an error. 16003 if (MemberDecl->isBitField()) { 16004 Diag(OC.LocEnd, diag::err_offsetof_bitfield) 16005 << MemberDecl->getDeclName() 16006 << SourceRange(BuiltinLoc, RParenLoc); 16007 Diag(MemberDecl->getLocation(), diag::note_bitfield_decl); 16008 return ExprError(); 16009 } 16010 16011 RecordDecl *Parent = MemberDecl->getParent(); 16012 if (IndirectMemberDecl) 16013 Parent = cast<RecordDecl>(IndirectMemberDecl->getDeclContext()); 16014 16015 // If the member was found in a base class, introduce OffsetOfNodes for 16016 // the base class indirections. 16017 CXXBasePaths Paths; 16018 if (IsDerivedFrom(OC.LocStart, CurrentType, Context.getTypeDeclType(Parent), 16019 Paths)) { 16020 if (Paths.getDetectedVirtual()) { 16021 Diag(OC.LocEnd, diag::err_offsetof_field_of_virtual_base) 16022 << MemberDecl->getDeclName() 16023 << SourceRange(BuiltinLoc, RParenLoc); 16024 return ExprError(); 16025 } 16026 16027 CXXBasePath &Path = Paths.front(); 16028 for (const CXXBasePathElement &B : Path) 16029 Comps.push_back(OffsetOfNode(B.Base)); 16030 } 16031 16032 if (IndirectMemberDecl) { 16033 for (auto *FI : IndirectMemberDecl->chain()) { 16034 assert(isa<FieldDecl>(FI)); 16035 Comps.push_back(OffsetOfNode(OC.LocStart, 16036 cast<FieldDecl>(FI), OC.LocEnd)); 16037 } 16038 } else 16039 Comps.push_back(OffsetOfNode(OC.LocStart, MemberDecl, OC.LocEnd)); 16040 16041 CurrentType = MemberDecl->getType().getNonReferenceType(); 16042 } 16043 16044 return OffsetOfExpr::Create(Context, Context.getSizeType(), BuiltinLoc, TInfo, 16045 Comps, Exprs, RParenLoc); 16046 } 16047 16048 ExprResult Sema::ActOnBuiltinOffsetOf(Scope *S, 16049 SourceLocation BuiltinLoc, 16050 SourceLocation TypeLoc, 16051 ParsedType ParsedArgTy, 16052 ArrayRef<OffsetOfComponent> Components, 16053 SourceLocation RParenLoc) { 16054 16055 TypeSourceInfo *ArgTInfo; 16056 QualType ArgTy = GetTypeFromParser(ParsedArgTy, &ArgTInfo); 16057 if (ArgTy.isNull()) 16058 return ExprError(); 16059 16060 if (!ArgTInfo) 16061 ArgTInfo = Context.getTrivialTypeSourceInfo(ArgTy, TypeLoc); 16062 16063 return BuildBuiltinOffsetOf(BuiltinLoc, ArgTInfo, Components, RParenLoc); 16064 } 16065 16066 16067 ExprResult Sema::ActOnChooseExpr(SourceLocation BuiltinLoc, 16068 Expr *CondExpr, 16069 Expr *LHSExpr, Expr *RHSExpr, 16070 SourceLocation RPLoc) { 16071 assert((CondExpr && LHSExpr && RHSExpr) && "Missing type argument(s)"); 16072 16073 ExprValueKind VK = VK_PRValue; 16074 ExprObjectKind OK = OK_Ordinary; 16075 QualType resType; 16076 bool CondIsTrue = false; 16077 if (CondExpr->isTypeDependent() || CondExpr->isValueDependent()) { 16078 resType = Context.DependentTy; 16079 } else { 16080 // The conditional expression is required to be a constant expression. 16081 llvm::APSInt condEval(32); 16082 ExprResult CondICE = VerifyIntegerConstantExpression( 16083 CondExpr, &condEval, diag::err_typecheck_choose_expr_requires_constant); 16084 if (CondICE.isInvalid()) 16085 return ExprError(); 16086 CondExpr = CondICE.get(); 16087 CondIsTrue = condEval.getZExtValue(); 16088 16089 // If the condition is > zero, then the AST type is the same as the LHSExpr. 16090 Expr *ActiveExpr = CondIsTrue ? LHSExpr : RHSExpr; 16091 16092 resType = ActiveExpr->getType(); 16093 VK = ActiveExpr->getValueKind(); 16094 OK = ActiveExpr->getObjectKind(); 16095 } 16096 16097 return new (Context) ChooseExpr(BuiltinLoc, CondExpr, LHSExpr, RHSExpr, 16098 resType, VK, OK, RPLoc, CondIsTrue); 16099 } 16100 16101 //===----------------------------------------------------------------------===// 16102 // Clang Extensions. 16103 //===----------------------------------------------------------------------===// 16104 16105 /// ActOnBlockStart - This callback is invoked when a block literal is started. 16106 void Sema::ActOnBlockStart(SourceLocation CaretLoc, Scope *CurScope) { 16107 BlockDecl *Block = BlockDecl::Create(Context, CurContext, CaretLoc); 16108 16109 if (LangOpts.CPlusPlus) { 16110 MangleNumberingContext *MCtx; 16111 Decl *ManglingContextDecl; 16112 std::tie(MCtx, ManglingContextDecl) = 16113 getCurrentMangleNumberContext(Block->getDeclContext()); 16114 if (MCtx) { 16115 unsigned ManglingNumber = MCtx->getManglingNumber(Block); 16116 Block->setBlockMangling(ManglingNumber, ManglingContextDecl); 16117 } 16118 } 16119 16120 PushBlockScope(CurScope, Block); 16121 CurContext->addDecl(Block); 16122 if (CurScope) 16123 PushDeclContext(CurScope, Block); 16124 else 16125 CurContext = Block; 16126 16127 getCurBlock()->HasImplicitReturnType = true; 16128 16129 // Enter a new evaluation context to insulate the block from any 16130 // cleanups from the enclosing full-expression. 16131 PushExpressionEvaluationContext( 16132 ExpressionEvaluationContext::PotentiallyEvaluated); 16133 } 16134 16135 void Sema::ActOnBlockArguments(SourceLocation CaretLoc, Declarator &ParamInfo, 16136 Scope *CurScope) { 16137 assert(ParamInfo.getIdentifier() == nullptr && 16138 "block-id should have no identifier!"); 16139 assert(ParamInfo.getContext() == DeclaratorContext::BlockLiteral); 16140 BlockScopeInfo *CurBlock = getCurBlock(); 16141 16142 TypeSourceInfo *Sig = GetTypeForDeclarator(ParamInfo, CurScope); 16143 QualType T = Sig->getType(); 16144 16145 // FIXME: We should allow unexpanded parameter packs here, but that would, 16146 // in turn, make the block expression contain unexpanded parameter packs. 16147 if (DiagnoseUnexpandedParameterPack(CaretLoc, Sig, UPPC_Block)) { 16148 // Drop the parameters. 16149 FunctionProtoType::ExtProtoInfo EPI; 16150 EPI.HasTrailingReturn = false; 16151 EPI.TypeQuals.addConst(); 16152 T = Context.getFunctionType(Context.DependentTy, None, EPI); 16153 Sig = Context.getTrivialTypeSourceInfo(T); 16154 } 16155 16156 // GetTypeForDeclarator always produces a function type for a block 16157 // literal signature. Furthermore, it is always a FunctionProtoType 16158 // unless the function was written with a typedef. 16159 assert(T->isFunctionType() && 16160 "GetTypeForDeclarator made a non-function block signature"); 16161 16162 // Look for an explicit signature in that function type. 16163 FunctionProtoTypeLoc ExplicitSignature; 16164 16165 if ((ExplicitSignature = Sig->getTypeLoc() 16166 .getAsAdjusted<FunctionProtoTypeLoc>())) { 16167 16168 // Check whether that explicit signature was synthesized by 16169 // GetTypeForDeclarator. If so, don't save that as part of the 16170 // written signature. 16171 if (ExplicitSignature.getLocalRangeBegin() == 16172 ExplicitSignature.getLocalRangeEnd()) { 16173 // This would be much cheaper if we stored TypeLocs instead of 16174 // TypeSourceInfos. 16175 TypeLoc Result = ExplicitSignature.getReturnLoc(); 16176 unsigned Size = Result.getFullDataSize(); 16177 Sig = Context.CreateTypeSourceInfo(Result.getType(), Size); 16178 Sig->getTypeLoc().initializeFullCopy(Result, Size); 16179 16180 ExplicitSignature = FunctionProtoTypeLoc(); 16181 } 16182 } 16183 16184 CurBlock->TheDecl->setSignatureAsWritten(Sig); 16185 CurBlock->FunctionType = T; 16186 16187 const auto *Fn = T->castAs<FunctionType>(); 16188 QualType RetTy = Fn->getReturnType(); 16189 bool isVariadic = 16190 (isa<FunctionProtoType>(Fn) && cast<FunctionProtoType>(Fn)->isVariadic()); 16191 16192 CurBlock->TheDecl->setIsVariadic(isVariadic); 16193 16194 // Context.DependentTy is used as a placeholder for a missing block 16195 // return type. TODO: what should we do with declarators like: 16196 // ^ * { ... } 16197 // If the answer is "apply template argument deduction".... 16198 if (RetTy != Context.DependentTy) { 16199 CurBlock->ReturnType = RetTy; 16200 CurBlock->TheDecl->setBlockMissingReturnType(false); 16201 CurBlock->HasImplicitReturnType = false; 16202 } 16203 16204 // Push block parameters from the declarator if we had them. 16205 SmallVector<ParmVarDecl*, 8> Params; 16206 if (ExplicitSignature) { 16207 for (unsigned I = 0, E = ExplicitSignature.getNumParams(); I != E; ++I) { 16208 ParmVarDecl *Param = ExplicitSignature.getParam(I); 16209 if (Param->getIdentifier() == nullptr && !Param->isImplicit() && 16210 !Param->isInvalidDecl() && !getLangOpts().CPlusPlus) { 16211 // Diagnose this as an extension in C17 and earlier. 16212 if (!getLangOpts().C2x) 16213 Diag(Param->getLocation(), diag::ext_parameter_name_omitted_c2x); 16214 } 16215 Params.push_back(Param); 16216 } 16217 16218 // Fake up parameter variables if we have a typedef, like 16219 // ^ fntype { ... } 16220 } else if (const FunctionProtoType *Fn = T->getAs<FunctionProtoType>()) { 16221 for (const auto &I : Fn->param_types()) { 16222 ParmVarDecl *Param = BuildParmVarDeclForTypedef( 16223 CurBlock->TheDecl, ParamInfo.getBeginLoc(), I); 16224 Params.push_back(Param); 16225 } 16226 } 16227 16228 // Set the parameters on the block decl. 16229 if (!Params.empty()) { 16230 CurBlock->TheDecl->setParams(Params); 16231 CheckParmsForFunctionDef(CurBlock->TheDecl->parameters(), 16232 /*CheckParameterNames=*/false); 16233 } 16234 16235 // Finally we can process decl attributes. 16236 ProcessDeclAttributes(CurScope, CurBlock->TheDecl, ParamInfo); 16237 16238 // Put the parameter variables in scope. 16239 for (auto AI : CurBlock->TheDecl->parameters()) { 16240 AI->setOwningFunction(CurBlock->TheDecl); 16241 16242 // If this has an identifier, add it to the scope stack. 16243 if (AI->getIdentifier()) { 16244 CheckShadow(CurBlock->TheScope, AI); 16245 16246 PushOnScopeChains(AI, CurBlock->TheScope); 16247 } 16248 } 16249 } 16250 16251 /// ActOnBlockError - If there is an error parsing a block, this callback 16252 /// is invoked to pop the information about the block from the action impl. 16253 void Sema::ActOnBlockError(SourceLocation CaretLoc, Scope *CurScope) { 16254 // Leave the expression-evaluation context. 16255 DiscardCleanupsInEvaluationContext(); 16256 PopExpressionEvaluationContext(); 16257 16258 // Pop off CurBlock, handle nested blocks. 16259 PopDeclContext(); 16260 PopFunctionScopeInfo(); 16261 } 16262 16263 /// ActOnBlockStmtExpr - This is called when the body of a block statement 16264 /// literal was successfully completed. ^(int x){...} 16265 ExprResult Sema::ActOnBlockStmtExpr(SourceLocation CaretLoc, 16266 Stmt *Body, Scope *CurScope) { 16267 // If blocks are disabled, emit an error. 16268 if (!LangOpts.Blocks) 16269 Diag(CaretLoc, diag::err_blocks_disable) << LangOpts.OpenCL; 16270 16271 // Leave the expression-evaluation context. 16272 if (hasAnyUnrecoverableErrorsInThisFunction()) 16273 DiscardCleanupsInEvaluationContext(); 16274 assert(!Cleanup.exprNeedsCleanups() && 16275 "cleanups within block not correctly bound!"); 16276 PopExpressionEvaluationContext(); 16277 16278 BlockScopeInfo *BSI = cast<BlockScopeInfo>(FunctionScopes.back()); 16279 BlockDecl *BD = BSI->TheDecl; 16280 16281 if (BSI->HasImplicitReturnType) 16282 deduceClosureReturnType(*BSI); 16283 16284 QualType RetTy = Context.VoidTy; 16285 if (!BSI->ReturnType.isNull()) 16286 RetTy = BSI->ReturnType; 16287 16288 bool NoReturn = BD->hasAttr<NoReturnAttr>(); 16289 QualType BlockTy; 16290 16291 // If the user wrote a function type in some form, try to use that. 16292 if (!BSI->FunctionType.isNull()) { 16293 const FunctionType *FTy = BSI->FunctionType->castAs<FunctionType>(); 16294 16295 FunctionType::ExtInfo Ext = FTy->getExtInfo(); 16296 if (NoReturn && !Ext.getNoReturn()) Ext = Ext.withNoReturn(true); 16297 16298 // Turn protoless block types into nullary block types. 16299 if (isa<FunctionNoProtoType>(FTy)) { 16300 FunctionProtoType::ExtProtoInfo EPI; 16301 EPI.ExtInfo = Ext; 16302 BlockTy = Context.getFunctionType(RetTy, None, EPI); 16303 16304 // Otherwise, if we don't need to change anything about the function type, 16305 // preserve its sugar structure. 16306 } else if (FTy->getReturnType() == RetTy && 16307 (!NoReturn || FTy->getNoReturnAttr())) { 16308 BlockTy = BSI->FunctionType; 16309 16310 // Otherwise, make the minimal modifications to the function type. 16311 } else { 16312 const FunctionProtoType *FPT = cast<FunctionProtoType>(FTy); 16313 FunctionProtoType::ExtProtoInfo EPI = FPT->getExtProtoInfo(); 16314 EPI.TypeQuals = Qualifiers(); 16315 EPI.ExtInfo = Ext; 16316 BlockTy = Context.getFunctionType(RetTy, FPT->getParamTypes(), EPI); 16317 } 16318 16319 // If we don't have a function type, just build one from nothing. 16320 } else { 16321 FunctionProtoType::ExtProtoInfo EPI; 16322 EPI.ExtInfo = FunctionType::ExtInfo().withNoReturn(NoReturn); 16323 BlockTy = Context.getFunctionType(RetTy, None, EPI); 16324 } 16325 16326 DiagnoseUnusedParameters(BD->parameters()); 16327 BlockTy = Context.getBlockPointerType(BlockTy); 16328 16329 // If needed, diagnose invalid gotos and switches in the block. 16330 if (getCurFunction()->NeedsScopeChecking() && 16331 !PP.isCodeCompletionEnabled()) 16332 DiagnoseInvalidJumps(cast<CompoundStmt>(Body)); 16333 16334 BD->setBody(cast<CompoundStmt>(Body)); 16335 16336 if (Body && getCurFunction()->HasPotentialAvailabilityViolations) 16337 DiagnoseUnguardedAvailabilityViolations(BD); 16338 16339 // Try to apply the named return value optimization. We have to check again 16340 // if we can do this, though, because blocks keep return statements around 16341 // to deduce an implicit return type. 16342 if (getLangOpts().CPlusPlus && RetTy->isRecordType() && 16343 !BD->isDependentContext()) 16344 computeNRVO(Body, BSI); 16345 16346 if (RetTy.hasNonTrivialToPrimitiveDestructCUnion() || 16347 RetTy.hasNonTrivialToPrimitiveCopyCUnion()) 16348 checkNonTrivialCUnion(RetTy, BD->getCaretLocation(), NTCUC_FunctionReturn, 16349 NTCUK_Destruct|NTCUK_Copy); 16350 16351 PopDeclContext(); 16352 16353 // Set the captured variables on the block. 16354 SmallVector<BlockDecl::Capture, 4> Captures; 16355 for (Capture &Cap : BSI->Captures) { 16356 if (Cap.isInvalid() || Cap.isThisCapture()) 16357 continue; 16358 16359 VarDecl *Var = Cap.getVariable(); 16360 Expr *CopyExpr = nullptr; 16361 if (getLangOpts().CPlusPlus && Cap.isCopyCapture()) { 16362 if (const RecordType *Record = 16363 Cap.getCaptureType()->getAs<RecordType>()) { 16364 // The capture logic needs the destructor, so make sure we mark it. 16365 // Usually this is unnecessary because most local variables have 16366 // their destructors marked at declaration time, but parameters are 16367 // an exception because it's technically only the call site that 16368 // actually requires the destructor. 16369 if (isa<ParmVarDecl>(Var)) 16370 FinalizeVarWithDestructor(Var, Record); 16371 16372 // Enter a separate potentially-evaluated context while building block 16373 // initializers to isolate their cleanups from those of the block 16374 // itself. 16375 // FIXME: Is this appropriate even when the block itself occurs in an 16376 // unevaluated operand? 16377 EnterExpressionEvaluationContext EvalContext( 16378 *this, ExpressionEvaluationContext::PotentiallyEvaluated); 16379 16380 SourceLocation Loc = Cap.getLocation(); 16381 16382 ExprResult Result = BuildDeclarationNameExpr( 16383 CXXScopeSpec(), DeclarationNameInfo(Var->getDeclName(), Loc), Var); 16384 16385 // According to the blocks spec, the capture of a variable from 16386 // the stack requires a const copy constructor. This is not true 16387 // of the copy/move done to move a __block variable to the heap. 16388 if (!Result.isInvalid() && 16389 !Result.get()->getType().isConstQualified()) { 16390 Result = ImpCastExprToType(Result.get(), 16391 Result.get()->getType().withConst(), 16392 CK_NoOp, VK_LValue); 16393 } 16394 16395 if (!Result.isInvalid()) { 16396 Result = PerformCopyInitialization( 16397 InitializedEntity::InitializeBlock(Var->getLocation(), 16398 Cap.getCaptureType()), 16399 Loc, Result.get()); 16400 } 16401 16402 // Build a full-expression copy expression if initialization 16403 // succeeded and used a non-trivial constructor. Recover from 16404 // errors by pretending that the copy isn't necessary. 16405 if (!Result.isInvalid() && 16406 !cast<CXXConstructExpr>(Result.get())->getConstructor() 16407 ->isTrivial()) { 16408 Result = MaybeCreateExprWithCleanups(Result); 16409 CopyExpr = Result.get(); 16410 } 16411 } 16412 } 16413 16414 BlockDecl::Capture NewCap(Var, Cap.isBlockCapture(), Cap.isNested(), 16415 CopyExpr); 16416 Captures.push_back(NewCap); 16417 } 16418 BD->setCaptures(Context, Captures, BSI->CXXThisCaptureIndex != 0); 16419 16420 // Pop the block scope now but keep it alive to the end of this function. 16421 AnalysisBasedWarnings::Policy WP = AnalysisWarnings.getDefaultPolicy(); 16422 PoppedFunctionScopePtr ScopeRAII = PopFunctionScopeInfo(&WP, BD, BlockTy); 16423 16424 BlockExpr *Result = new (Context) BlockExpr(BD, BlockTy); 16425 16426 // If the block isn't obviously global, i.e. it captures anything at 16427 // all, then we need to do a few things in the surrounding context: 16428 if (Result->getBlockDecl()->hasCaptures()) { 16429 // First, this expression has a new cleanup object. 16430 ExprCleanupObjects.push_back(Result->getBlockDecl()); 16431 Cleanup.setExprNeedsCleanups(true); 16432 16433 // It also gets a branch-protected scope if any of the captured 16434 // variables needs destruction. 16435 for (const auto &CI : Result->getBlockDecl()->captures()) { 16436 const VarDecl *var = CI.getVariable(); 16437 if (var->getType().isDestructedType() != QualType::DK_none) { 16438 setFunctionHasBranchProtectedScope(); 16439 break; 16440 } 16441 } 16442 } 16443 16444 if (getCurFunction()) 16445 getCurFunction()->addBlock(BD); 16446 16447 return Result; 16448 } 16449 16450 ExprResult Sema::ActOnVAArg(SourceLocation BuiltinLoc, Expr *E, ParsedType Ty, 16451 SourceLocation RPLoc) { 16452 TypeSourceInfo *TInfo; 16453 GetTypeFromParser(Ty, &TInfo); 16454 return BuildVAArgExpr(BuiltinLoc, E, TInfo, RPLoc); 16455 } 16456 16457 ExprResult Sema::BuildVAArgExpr(SourceLocation BuiltinLoc, 16458 Expr *E, TypeSourceInfo *TInfo, 16459 SourceLocation RPLoc) { 16460 Expr *OrigExpr = E; 16461 bool IsMS = false; 16462 16463 // CUDA device code does not support varargs. 16464 if (getLangOpts().CUDA && getLangOpts().CUDAIsDevice) { 16465 if (const FunctionDecl *F = dyn_cast<FunctionDecl>(CurContext)) { 16466 CUDAFunctionTarget T = IdentifyCUDATarget(F); 16467 if (T == CFT_Global || T == CFT_Device || T == CFT_HostDevice) 16468 return ExprError(Diag(E->getBeginLoc(), diag::err_va_arg_in_device)); 16469 } 16470 } 16471 16472 // NVPTX does not support va_arg expression. 16473 if (getLangOpts().OpenMP && getLangOpts().OpenMPIsDevice && 16474 Context.getTargetInfo().getTriple().isNVPTX()) 16475 targetDiag(E->getBeginLoc(), diag::err_va_arg_in_device); 16476 16477 // It might be a __builtin_ms_va_list. (But don't ever mark a va_arg() 16478 // as Microsoft ABI on an actual Microsoft platform, where 16479 // __builtin_ms_va_list and __builtin_va_list are the same.) 16480 if (!E->isTypeDependent() && Context.getTargetInfo().hasBuiltinMSVaList() && 16481 Context.getTargetInfo().getBuiltinVaListKind() != TargetInfo::CharPtrBuiltinVaList) { 16482 QualType MSVaListType = Context.getBuiltinMSVaListType(); 16483 if (Context.hasSameType(MSVaListType, E->getType())) { 16484 if (CheckForModifiableLvalue(E, BuiltinLoc, *this)) 16485 return ExprError(); 16486 IsMS = true; 16487 } 16488 } 16489 16490 // Get the va_list type 16491 QualType VaListType = Context.getBuiltinVaListType(); 16492 if (!IsMS) { 16493 if (VaListType->isArrayType()) { 16494 // Deal with implicit array decay; for example, on x86-64, 16495 // va_list is an array, but it's supposed to decay to 16496 // a pointer for va_arg. 16497 VaListType = Context.getArrayDecayedType(VaListType); 16498 // Make sure the input expression also decays appropriately. 16499 ExprResult Result = UsualUnaryConversions(E); 16500 if (Result.isInvalid()) 16501 return ExprError(); 16502 E = Result.get(); 16503 } else if (VaListType->isRecordType() && getLangOpts().CPlusPlus) { 16504 // If va_list is a record type and we are compiling in C++ mode, 16505 // check the argument using reference binding. 16506 InitializedEntity Entity = InitializedEntity::InitializeParameter( 16507 Context, Context.getLValueReferenceType(VaListType), false); 16508 ExprResult Init = PerformCopyInitialization(Entity, SourceLocation(), E); 16509 if (Init.isInvalid()) 16510 return ExprError(); 16511 E = Init.getAs<Expr>(); 16512 } else { 16513 // Otherwise, the va_list argument must be an l-value because 16514 // it is modified by va_arg. 16515 if (!E->isTypeDependent() && 16516 CheckForModifiableLvalue(E, BuiltinLoc, *this)) 16517 return ExprError(); 16518 } 16519 } 16520 16521 if (!IsMS && !E->isTypeDependent() && 16522 !Context.hasSameType(VaListType, E->getType())) 16523 return ExprError( 16524 Diag(E->getBeginLoc(), 16525 diag::err_first_argument_to_va_arg_not_of_type_va_list) 16526 << OrigExpr->getType() << E->getSourceRange()); 16527 16528 if (!TInfo->getType()->isDependentType()) { 16529 if (RequireCompleteType(TInfo->getTypeLoc().getBeginLoc(), TInfo->getType(), 16530 diag::err_second_parameter_to_va_arg_incomplete, 16531 TInfo->getTypeLoc())) 16532 return ExprError(); 16533 16534 if (RequireNonAbstractType(TInfo->getTypeLoc().getBeginLoc(), 16535 TInfo->getType(), 16536 diag::err_second_parameter_to_va_arg_abstract, 16537 TInfo->getTypeLoc())) 16538 return ExprError(); 16539 16540 if (!TInfo->getType().isPODType(Context)) { 16541 Diag(TInfo->getTypeLoc().getBeginLoc(), 16542 TInfo->getType()->isObjCLifetimeType() 16543 ? diag::warn_second_parameter_to_va_arg_ownership_qualified 16544 : diag::warn_second_parameter_to_va_arg_not_pod) 16545 << TInfo->getType() 16546 << TInfo->getTypeLoc().getSourceRange(); 16547 } 16548 16549 // Check for va_arg where arguments of the given type will be promoted 16550 // (i.e. this va_arg is guaranteed to have undefined behavior). 16551 QualType PromoteType; 16552 if (TInfo->getType()->isPromotableIntegerType()) { 16553 PromoteType = Context.getPromotedIntegerType(TInfo->getType()); 16554 // [cstdarg.syn]p1 defers the C++ behavior to what the C standard says, 16555 // and C2x 7.16.1.1p2 says, in part: 16556 // If type is not compatible with the type of the actual next argument 16557 // (as promoted according to the default argument promotions), the 16558 // behavior is undefined, except for the following cases: 16559 // - both types are pointers to qualified or unqualified versions of 16560 // compatible types; 16561 // - one type is a signed integer type, the other type is the 16562 // corresponding unsigned integer type, and the value is 16563 // representable in both types; 16564 // - one type is pointer to qualified or unqualified void and the 16565 // other is a pointer to a qualified or unqualified character type. 16566 // Given that type compatibility is the primary requirement (ignoring 16567 // qualifications), you would think we could call typesAreCompatible() 16568 // directly to test this. However, in C++, that checks for *same type*, 16569 // which causes false positives when passing an enumeration type to 16570 // va_arg. Instead, get the underlying type of the enumeration and pass 16571 // that. 16572 QualType UnderlyingType = TInfo->getType(); 16573 if (const auto *ET = UnderlyingType->getAs<EnumType>()) 16574 UnderlyingType = ET->getDecl()->getIntegerType(); 16575 if (Context.typesAreCompatible(PromoteType, UnderlyingType, 16576 /*CompareUnqualified*/ true)) 16577 PromoteType = QualType(); 16578 16579 // If the types are still not compatible, we need to test whether the 16580 // promoted type and the underlying type are the same except for 16581 // signedness. Ask the AST for the correctly corresponding type and see 16582 // if that's compatible. 16583 if (!PromoteType.isNull() && !UnderlyingType->isBooleanType() && 16584 PromoteType->isUnsignedIntegerType() != 16585 UnderlyingType->isUnsignedIntegerType()) { 16586 UnderlyingType = 16587 UnderlyingType->isUnsignedIntegerType() 16588 ? Context.getCorrespondingSignedType(UnderlyingType) 16589 : Context.getCorrespondingUnsignedType(UnderlyingType); 16590 if (Context.typesAreCompatible(PromoteType, UnderlyingType, 16591 /*CompareUnqualified*/ true)) 16592 PromoteType = QualType(); 16593 } 16594 } 16595 if (TInfo->getType()->isSpecificBuiltinType(BuiltinType::Float)) 16596 PromoteType = Context.DoubleTy; 16597 if (!PromoteType.isNull()) 16598 DiagRuntimeBehavior(TInfo->getTypeLoc().getBeginLoc(), E, 16599 PDiag(diag::warn_second_parameter_to_va_arg_never_compatible) 16600 << TInfo->getType() 16601 << PromoteType 16602 << TInfo->getTypeLoc().getSourceRange()); 16603 } 16604 16605 QualType T = TInfo->getType().getNonLValueExprType(Context); 16606 return new (Context) VAArgExpr(BuiltinLoc, E, TInfo, RPLoc, T, IsMS); 16607 } 16608 16609 ExprResult Sema::ActOnGNUNullExpr(SourceLocation TokenLoc) { 16610 // The type of __null will be int or long, depending on the size of 16611 // pointers on the target. 16612 QualType Ty; 16613 unsigned pw = Context.getTargetInfo().getPointerWidth(0); 16614 if (pw == Context.getTargetInfo().getIntWidth()) 16615 Ty = Context.IntTy; 16616 else if (pw == Context.getTargetInfo().getLongWidth()) 16617 Ty = Context.LongTy; 16618 else if (pw == Context.getTargetInfo().getLongLongWidth()) 16619 Ty = Context.LongLongTy; 16620 else { 16621 llvm_unreachable("I don't know size of pointer!"); 16622 } 16623 16624 return new (Context) GNUNullExpr(Ty, TokenLoc); 16625 } 16626 16627 static CXXRecordDecl *LookupStdSourceLocationImpl(Sema &S, SourceLocation Loc) { 16628 CXXRecordDecl *ImplDecl = nullptr; 16629 16630 // Fetch the std::source_location::__impl decl. 16631 if (NamespaceDecl *Std = S.getStdNamespace()) { 16632 LookupResult ResultSL(S, &S.PP.getIdentifierTable().get("source_location"), 16633 Loc, Sema::LookupOrdinaryName); 16634 if (S.LookupQualifiedName(ResultSL, Std)) { 16635 if (auto *SLDecl = ResultSL.getAsSingle<RecordDecl>()) { 16636 LookupResult ResultImpl(S, &S.PP.getIdentifierTable().get("__impl"), 16637 Loc, Sema::LookupOrdinaryName); 16638 if ((SLDecl->isCompleteDefinition() || SLDecl->isBeingDefined()) && 16639 S.LookupQualifiedName(ResultImpl, SLDecl)) { 16640 ImplDecl = ResultImpl.getAsSingle<CXXRecordDecl>(); 16641 } 16642 } 16643 } 16644 } 16645 16646 if (!ImplDecl || !ImplDecl->isCompleteDefinition()) { 16647 S.Diag(Loc, diag::err_std_source_location_impl_not_found); 16648 return nullptr; 16649 } 16650 16651 // Verify that __impl is a trivial struct type, with no base classes, and with 16652 // only the four expected fields. 16653 if (ImplDecl->isUnion() || !ImplDecl->isStandardLayout() || 16654 ImplDecl->getNumBases() != 0) { 16655 S.Diag(Loc, diag::err_std_source_location_impl_malformed); 16656 return nullptr; 16657 } 16658 16659 unsigned Count = 0; 16660 for (FieldDecl *F : ImplDecl->fields()) { 16661 StringRef Name = F->getName(); 16662 16663 if (Name == "_M_file_name") { 16664 if (F->getType() != 16665 S.Context.getPointerType(S.Context.CharTy.withConst())) 16666 break; 16667 Count++; 16668 } else if (Name == "_M_function_name") { 16669 if (F->getType() != 16670 S.Context.getPointerType(S.Context.CharTy.withConst())) 16671 break; 16672 Count++; 16673 } else if (Name == "_M_line") { 16674 if (!F->getType()->isIntegerType()) 16675 break; 16676 Count++; 16677 } else if (Name == "_M_column") { 16678 if (!F->getType()->isIntegerType()) 16679 break; 16680 Count++; 16681 } else { 16682 Count = 100; // invalid 16683 break; 16684 } 16685 } 16686 if (Count != 4) { 16687 S.Diag(Loc, diag::err_std_source_location_impl_malformed); 16688 return nullptr; 16689 } 16690 16691 return ImplDecl; 16692 } 16693 16694 ExprResult Sema::ActOnSourceLocExpr(SourceLocExpr::IdentKind Kind, 16695 SourceLocation BuiltinLoc, 16696 SourceLocation RPLoc) { 16697 QualType ResultTy; 16698 switch (Kind) { 16699 case SourceLocExpr::File: 16700 case SourceLocExpr::Function: { 16701 QualType ArrTy = Context.getStringLiteralArrayType(Context.CharTy, 0); 16702 ResultTy = 16703 Context.getPointerType(ArrTy->getAsArrayTypeUnsafe()->getElementType()); 16704 break; 16705 } 16706 case SourceLocExpr::Line: 16707 case SourceLocExpr::Column: 16708 ResultTy = Context.UnsignedIntTy; 16709 break; 16710 case SourceLocExpr::SourceLocStruct: 16711 if (!StdSourceLocationImplDecl) { 16712 StdSourceLocationImplDecl = 16713 LookupStdSourceLocationImpl(*this, BuiltinLoc); 16714 if (!StdSourceLocationImplDecl) 16715 return ExprError(); 16716 } 16717 ResultTy = Context.getPointerType( 16718 Context.getRecordType(StdSourceLocationImplDecl).withConst()); 16719 break; 16720 } 16721 16722 return BuildSourceLocExpr(Kind, ResultTy, BuiltinLoc, RPLoc, CurContext); 16723 } 16724 16725 ExprResult Sema::BuildSourceLocExpr(SourceLocExpr::IdentKind Kind, 16726 QualType ResultTy, 16727 SourceLocation BuiltinLoc, 16728 SourceLocation RPLoc, 16729 DeclContext *ParentContext) { 16730 return new (Context) 16731 SourceLocExpr(Context, Kind, ResultTy, BuiltinLoc, RPLoc, ParentContext); 16732 } 16733 16734 bool Sema::CheckConversionToObjCLiteral(QualType DstType, Expr *&Exp, 16735 bool Diagnose) { 16736 if (!getLangOpts().ObjC) 16737 return false; 16738 16739 const ObjCObjectPointerType *PT = DstType->getAs<ObjCObjectPointerType>(); 16740 if (!PT) 16741 return false; 16742 const ObjCInterfaceDecl *ID = PT->getInterfaceDecl(); 16743 16744 // Ignore any parens, implicit casts (should only be 16745 // array-to-pointer decays), and not-so-opaque values. The last is 16746 // important for making this trigger for property assignments. 16747 Expr *SrcExpr = Exp->IgnoreParenImpCasts(); 16748 if (OpaqueValueExpr *OV = dyn_cast<OpaqueValueExpr>(SrcExpr)) 16749 if (OV->getSourceExpr()) 16750 SrcExpr = OV->getSourceExpr()->IgnoreParenImpCasts(); 16751 16752 if (auto *SL = dyn_cast<StringLiteral>(SrcExpr)) { 16753 if (!PT->isObjCIdType() && 16754 !(ID && ID->getIdentifier()->isStr("NSString"))) 16755 return false; 16756 if (!SL->isAscii()) 16757 return false; 16758 16759 if (Diagnose) { 16760 Diag(SL->getBeginLoc(), diag::err_missing_atsign_prefix) 16761 << /*string*/0 << FixItHint::CreateInsertion(SL->getBeginLoc(), "@"); 16762 Exp = BuildObjCStringLiteral(SL->getBeginLoc(), SL).get(); 16763 } 16764 return true; 16765 } 16766 16767 if ((isa<IntegerLiteral>(SrcExpr) || isa<CharacterLiteral>(SrcExpr) || 16768 isa<FloatingLiteral>(SrcExpr) || isa<ObjCBoolLiteralExpr>(SrcExpr) || 16769 isa<CXXBoolLiteralExpr>(SrcExpr)) && 16770 !SrcExpr->isNullPointerConstant( 16771 getASTContext(), Expr::NPC_NeverValueDependent)) { 16772 if (!ID || !ID->getIdentifier()->isStr("NSNumber")) 16773 return false; 16774 if (Diagnose) { 16775 Diag(SrcExpr->getBeginLoc(), diag::err_missing_atsign_prefix) 16776 << /*number*/1 16777 << FixItHint::CreateInsertion(SrcExpr->getBeginLoc(), "@"); 16778 Expr *NumLit = 16779 BuildObjCNumericLiteral(SrcExpr->getBeginLoc(), SrcExpr).get(); 16780 if (NumLit) 16781 Exp = NumLit; 16782 } 16783 return true; 16784 } 16785 16786 return false; 16787 } 16788 16789 static bool maybeDiagnoseAssignmentToFunction(Sema &S, QualType DstType, 16790 const Expr *SrcExpr) { 16791 if (!DstType->isFunctionPointerType() || 16792 !SrcExpr->getType()->isFunctionType()) 16793 return false; 16794 16795 auto *DRE = dyn_cast<DeclRefExpr>(SrcExpr->IgnoreParenImpCasts()); 16796 if (!DRE) 16797 return false; 16798 16799 auto *FD = dyn_cast<FunctionDecl>(DRE->getDecl()); 16800 if (!FD) 16801 return false; 16802 16803 return !S.checkAddressOfFunctionIsAvailable(FD, 16804 /*Complain=*/true, 16805 SrcExpr->getBeginLoc()); 16806 } 16807 16808 bool Sema::DiagnoseAssignmentResult(AssignConvertType ConvTy, 16809 SourceLocation Loc, 16810 QualType DstType, QualType SrcType, 16811 Expr *SrcExpr, AssignmentAction Action, 16812 bool *Complained) { 16813 if (Complained) 16814 *Complained = false; 16815 16816 // Decode the result (notice that AST's are still created for extensions). 16817 bool CheckInferredResultType = false; 16818 bool isInvalid = false; 16819 unsigned DiagKind = 0; 16820 ConversionFixItGenerator ConvHints; 16821 bool MayHaveConvFixit = false; 16822 bool MayHaveFunctionDiff = false; 16823 const ObjCInterfaceDecl *IFace = nullptr; 16824 const ObjCProtocolDecl *PDecl = nullptr; 16825 16826 switch (ConvTy) { 16827 case Compatible: 16828 DiagnoseAssignmentEnum(DstType, SrcType, SrcExpr); 16829 return false; 16830 16831 case PointerToInt: 16832 if (getLangOpts().CPlusPlus) { 16833 DiagKind = diag::err_typecheck_convert_pointer_int; 16834 isInvalid = true; 16835 } else { 16836 DiagKind = diag::ext_typecheck_convert_pointer_int; 16837 } 16838 ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this); 16839 MayHaveConvFixit = true; 16840 break; 16841 case IntToPointer: 16842 if (getLangOpts().CPlusPlus) { 16843 DiagKind = diag::err_typecheck_convert_int_pointer; 16844 isInvalid = true; 16845 } else { 16846 DiagKind = diag::ext_typecheck_convert_int_pointer; 16847 } 16848 ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this); 16849 MayHaveConvFixit = true; 16850 break; 16851 case IncompatibleFunctionPointer: 16852 if (getLangOpts().CPlusPlus) { 16853 DiagKind = diag::err_typecheck_convert_incompatible_function_pointer; 16854 isInvalid = true; 16855 } else { 16856 DiagKind = diag::ext_typecheck_convert_incompatible_function_pointer; 16857 } 16858 ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this); 16859 MayHaveConvFixit = true; 16860 break; 16861 case IncompatiblePointer: 16862 if (Action == AA_Passing_CFAudited) { 16863 DiagKind = diag::err_arc_typecheck_convert_incompatible_pointer; 16864 } else if (getLangOpts().CPlusPlus) { 16865 DiagKind = diag::err_typecheck_convert_incompatible_pointer; 16866 isInvalid = true; 16867 } else { 16868 DiagKind = diag::ext_typecheck_convert_incompatible_pointer; 16869 } 16870 CheckInferredResultType = DstType->isObjCObjectPointerType() && 16871 SrcType->isObjCObjectPointerType(); 16872 if (!CheckInferredResultType) { 16873 ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this); 16874 } else if (CheckInferredResultType) { 16875 SrcType = SrcType.getUnqualifiedType(); 16876 DstType = DstType.getUnqualifiedType(); 16877 } 16878 MayHaveConvFixit = true; 16879 break; 16880 case IncompatiblePointerSign: 16881 if (getLangOpts().CPlusPlus) { 16882 DiagKind = diag::err_typecheck_convert_incompatible_pointer_sign; 16883 isInvalid = true; 16884 } else { 16885 DiagKind = diag::ext_typecheck_convert_incompatible_pointer_sign; 16886 } 16887 break; 16888 case FunctionVoidPointer: 16889 if (getLangOpts().CPlusPlus) { 16890 DiagKind = diag::err_typecheck_convert_pointer_void_func; 16891 isInvalid = true; 16892 } else { 16893 DiagKind = diag::ext_typecheck_convert_pointer_void_func; 16894 } 16895 break; 16896 case IncompatiblePointerDiscardsQualifiers: { 16897 // Perform array-to-pointer decay if necessary. 16898 if (SrcType->isArrayType()) SrcType = Context.getArrayDecayedType(SrcType); 16899 16900 isInvalid = true; 16901 16902 Qualifiers lhq = SrcType->getPointeeType().getQualifiers(); 16903 Qualifiers rhq = DstType->getPointeeType().getQualifiers(); 16904 if (lhq.getAddressSpace() != rhq.getAddressSpace()) { 16905 DiagKind = diag::err_typecheck_incompatible_address_space; 16906 break; 16907 16908 } else if (lhq.getObjCLifetime() != rhq.getObjCLifetime()) { 16909 DiagKind = diag::err_typecheck_incompatible_ownership; 16910 break; 16911 } 16912 16913 llvm_unreachable("unknown error case for discarding qualifiers!"); 16914 // fallthrough 16915 } 16916 case CompatiblePointerDiscardsQualifiers: 16917 // If the qualifiers lost were because we were applying the 16918 // (deprecated) C++ conversion from a string literal to a char* 16919 // (or wchar_t*), then there was no error (C++ 4.2p2). FIXME: 16920 // Ideally, this check would be performed in 16921 // checkPointerTypesForAssignment. However, that would require a 16922 // bit of refactoring (so that the second argument is an 16923 // expression, rather than a type), which should be done as part 16924 // of a larger effort to fix checkPointerTypesForAssignment for 16925 // C++ semantics. 16926 if (getLangOpts().CPlusPlus && 16927 IsStringLiteralToNonConstPointerConversion(SrcExpr, DstType)) 16928 return false; 16929 if (getLangOpts().CPlusPlus) { 16930 DiagKind = diag::err_typecheck_convert_discards_qualifiers; 16931 isInvalid = true; 16932 } else { 16933 DiagKind = diag::ext_typecheck_convert_discards_qualifiers; 16934 } 16935 16936 break; 16937 case IncompatibleNestedPointerQualifiers: 16938 if (getLangOpts().CPlusPlus) { 16939 isInvalid = true; 16940 DiagKind = diag::err_nested_pointer_qualifier_mismatch; 16941 } else { 16942 DiagKind = diag::ext_nested_pointer_qualifier_mismatch; 16943 } 16944 break; 16945 case IncompatibleNestedPointerAddressSpaceMismatch: 16946 DiagKind = diag::err_typecheck_incompatible_nested_address_space; 16947 isInvalid = true; 16948 break; 16949 case IntToBlockPointer: 16950 DiagKind = diag::err_int_to_block_pointer; 16951 isInvalid = true; 16952 break; 16953 case IncompatibleBlockPointer: 16954 DiagKind = diag::err_typecheck_convert_incompatible_block_pointer; 16955 isInvalid = true; 16956 break; 16957 case IncompatibleObjCQualifiedId: { 16958 if (SrcType->isObjCQualifiedIdType()) { 16959 const ObjCObjectPointerType *srcOPT = 16960 SrcType->castAs<ObjCObjectPointerType>(); 16961 for (auto *srcProto : srcOPT->quals()) { 16962 PDecl = srcProto; 16963 break; 16964 } 16965 if (const ObjCInterfaceType *IFaceT = 16966 DstType->castAs<ObjCObjectPointerType>()->getInterfaceType()) 16967 IFace = IFaceT->getDecl(); 16968 } 16969 else if (DstType->isObjCQualifiedIdType()) { 16970 const ObjCObjectPointerType *dstOPT = 16971 DstType->castAs<ObjCObjectPointerType>(); 16972 for (auto *dstProto : dstOPT->quals()) { 16973 PDecl = dstProto; 16974 break; 16975 } 16976 if (const ObjCInterfaceType *IFaceT = 16977 SrcType->castAs<ObjCObjectPointerType>()->getInterfaceType()) 16978 IFace = IFaceT->getDecl(); 16979 } 16980 if (getLangOpts().CPlusPlus) { 16981 DiagKind = diag::err_incompatible_qualified_id; 16982 isInvalid = true; 16983 } else { 16984 DiagKind = diag::warn_incompatible_qualified_id; 16985 } 16986 break; 16987 } 16988 case IncompatibleVectors: 16989 if (getLangOpts().CPlusPlus) { 16990 DiagKind = diag::err_incompatible_vectors; 16991 isInvalid = true; 16992 } else { 16993 DiagKind = diag::warn_incompatible_vectors; 16994 } 16995 break; 16996 case IncompatibleObjCWeakRef: 16997 DiagKind = diag::err_arc_weak_unavailable_assign; 16998 isInvalid = true; 16999 break; 17000 case Incompatible: 17001 if (maybeDiagnoseAssignmentToFunction(*this, DstType, SrcExpr)) { 17002 if (Complained) 17003 *Complained = true; 17004 return true; 17005 } 17006 17007 DiagKind = diag::err_typecheck_convert_incompatible; 17008 ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this); 17009 MayHaveConvFixit = true; 17010 isInvalid = true; 17011 MayHaveFunctionDiff = true; 17012 break; 17013 } 17014 17015 QualType FirstType, SecondType; 17016 switch (Action) { 17017 case AA_Assigning: 17018 case AA_Initializing: 17019 // The destination type comes first. 17020 FirstType = DstType; 17021 SecondType = SrcType; 17022 break; 17023 17024 case AA_Returning: 17025 case AA_Passing: 17026 case AA_Passing_CFAudited: 17027 case AA_Converting: 17028 case AA_Sending: 17029 case AA_Casting: 17030 // The source type comes first. 17031 FirstType = SrcType; 17032 SecondType = DstType; 17033 break; 17034 } 17035 17036 PartialDiagnostic FDiag = PDiag(DiagKind); 17037 AssignmentAction ActionForDiag = Action; 17038 if (Action == AA_Passing_CFAudited) 17039 ActionForDiag = AA_Passing; 17040 17041 FDiag << FirstType << SecondType << ActionForDiag 17042 << SrcExpr->getSourceRange(); 17043 17044 if (DiagKind == diag::ext_typecheck_convert_incompatible_pointer_sign || 17045 DiagKind == diag::err_typecheck_convert_incompatible_pointer_sign) { 17046 auto isPlainChar = [](const clang::Type *Type) { 17047 return Type->isSpecificBuiltinType(BuiltinType::Char_S) || 17048 Type->isSpecificBuiltinType(BuiltinType::Char_U); 17049 }; 17050 FDiag << (isPlainChar(FirstType->getPointeeOrArrayElementType()) || 17051 isPlainChar(SecondType->getPointeeOrArrayElementType())); 17052 } 17053 17054 // If we can fix the conversion, suggest the FixIts. 17055 if (!ConvHints.isNull()) { 17056 for (FixItHint &H : ConvHints.Hints) 17057 FDiag << H; 17058 } 17059 17060 if (MayHaveConvFixit) { FDiag << (unsigned) (ConvHints.Kind); } 17061 17062 if (MayHaveFunctionDiff) 17063 HandleFunctionTypeMismatch(FDiag, SecondType, FirstType); 17064 17065 Diag(Loc, FDiag); 17066 if ((DiagKind == diag::warn_incompatible_qualified_id || 17067 DiagKind == diag::err_incompatible_qualified_id) && 17068 PDecl && IFace && !IFace->hasDefinition()) 17069 Diag(IFace->getLocation(), diag::note_incomplete_class_and_qualified_id) 17070 << IFace << PDecl; 17071 17072 if (SecondType == Context.OverloadTy) 17073 NoteAllOverloadCandidates(OverloadExpr::find(SrcExpr).Expression, 17074 FirstType, /*TakingAddress=*/true); 17075 17076 if (CheckInferredResultType) 17077 EmitRelatedResultTypeNote(SrcExpr); 17078 17079 if (Action == AA_Returning && ConvTy == IncompatiblePointer) 17080 EmitRelatedResultTypeNoteForReturn(DstType); 17081 17082 if (Complained) 17083 *Complained = true; 17084 return isInvalid; 17085 } 17086 17087 ExprResult Sema::VerifyIntegerConstantExpression(Expr *E, 17088 llvm::APSInt *Result, 17089 AllowFoldKind CanFold) { 17090 class SimpleICEDiagnoser : public VerifyICEDiagnoser { 17091 public: 17092 SemaDiagnosticBuilder diagnoseNotICEType(Sema &S, SourceLocation Loc, 17093 QualType T) override { 17094 return S.Diag(Loc, diag::err_ice_not_integral) 17095 << T << S.LangOpts.CPlusPlus; 17096 } 17097 SemaDiagnosticBuilder diagnoseNotICE(Sema &S, SourceLocation Loc) override { 17098 return S.Diag(Loc, diag::err_expr_not_ice) << S.LangOpts.CPlusPlus; 17099 } 17100 } Diagnoser; 17101 17102 return VerifyIntegerConstantExpression(E, Result, Diagnoser, CanFold); 17103 } 17104 17105 ExprResult Sema::VerifyIntegerConstantExpression(Expr *E, 17106 llvm::APSInt *Result, 17107 unsigned DiagID, 17108 AllowFoldKind CanFold) { 17109 class IDDiagnoser : public VerifyICEDiagnoser { 17110 unsigned DiagID; 17111 17112 public: 17113 IDDiagnoser(unsigned DiagID) 17114 : VerifyICEDiagnoser(DiagID == 0), DiagID(DiagID) { } 17115 17116 SemaDiagnosticBuilder diagnoseNotICE(Sema &S, SourceLocation Loc) override { 17117 return S.Diag(Loc, DiagID); 17118 } 17119 } Diagnoser(DiagID); 17120 17121 return VerifyIntegerConstantExpression(E, Result, Diagnoser, CanFold); 17122 } 17123 17124 Sema::SemaDiagnosticBuilder 17125 Sema::VerifyICEDiagnoser::diagnoseNotICEType(Sema &S, SourceLocation Loc, 17126 QualType T) { 17127 return diagnoseNotICE(S, Loc); 17128 } 17129 17130 Sema::SemaDiagnosticBuilder 17131 Sema::VerifyICEDiagnoser::diagnoseFold(Sema &S, SourceLocation Loc) { 17132 return S.Diag(Loc, diag::ext_expr_not_ice) << S.LangOpts.CPlusPlus; 17133 } 17134 17135 ExprResult 17136 Sema::VerifyIntegerConstantExpression(Expr *E, llvm::APSInt *Result, 17137 VerifyICEDiagnoser &Diagnoser, 17138 AllowFoldKind CanFold) { 17139 SourceLocation DiagLoc = E->getBeginLoc(); 17140 17141 if (getLangOpts().CPlusPlus11) { 17142 // C++11 [expr.const]p5: 17143 // If an expression of literal class type is used in a context where an 17144 // integral constant expression is required, then that class type shall 17145 // have a single non-explicit conversion function to an integral or 17146 // unscoped enumeration type 17147 ExprResult Converted; 17148 class CXX11ConvertDiagnoser : public ICEConvertDiagnoser { 17149 VerifyICEDiagnoser &BaseDiagnoser; 17150 public: 17151 CXX11ConvertDiagnoser(VerifyICEDiagnoser &BaseDiagnoser) 17152 : ICEConvertDiagnoser(/*AllowScopedEnumerations*/ false, 17153 BaseDiagnoser.Suppress, true), 17154 BaseDiagnoser(BaseDiagnoser) {} 17155 17156 SemaDiagnosticBuilder diagnoseNotInt(Sema &S, SourceLocation Loc, 17157 QualType T) override { 17158 return BaseDiagnoser.diagnoseNotICEType(S, Loc, T); 17159 } 17160 17161 SemaDiagnosticBuilder diagnoseIncomplete( 17162 Sema &S, SourceLocation Loc, QualType T) override { 17163 return S.Diag(Loc, diag::err_ice_incomplete_type) << T; 17164 } 17165 17166 SemaDiagnosticBuilder diagnoseExplicitConv( 17167 Sema &S, SourceLocation Loc, QualType T, QualType ConvTy) override { 17168 return S.Diag(Loc, diag::err_ice_explicit_conversion) << T << ConvTy; 17169 } 17170 17171 SemaDiagnosticBuilder noteExplicitConv( 17172 Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override { 17173 return S.Diag(Conv->getLocation(), diag::note_ice_conversion_here) 17174 << ConvTy->isEnumeralType() << ConvTy; 17175 } 17176 17177 SemaDiagnosticBuilder diagnoseAmbiguous( 17178 Sema &S, SourceLocation Loc, QualType T) override { 17179 return S.Diag(Loc, diag::err_ice_ambiguous_conversion) << T; 17180 } 17181 17182 SemaDiagnosticBuilder noteAmbiguous( 17183 Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override { 17184 return S.Diag(Conv->getLocation(), diag::note_ice_conversion_here) 17185 << ConvTy->isEnumeralType() << ConvTy; 17186 } 17187 17188 SemaDiagnosticBuilder diagnoseConversion( 17189 Sema &S, SourceLocation Loc, QualType T, QualType ConvTy) override { 17190 llvm_unreachable("conversion functions are permitted"); 17191 } 17192 } ConvertDiagnoser(Diagnoser); 17193 17194 Converted = PerformContextualImplicitConversion(DiagLoc, E, 17195 ConvertDiagnoser); 17196 if (Converted.isInvalid()) 17197 return Converted; 17198 E = Converted.get(); 17199 if (!E->getType()->isIntegralOrUnscopedEnumerationType()) 17200 return ExprError(); 17201 } else if (!E->getType()->isIntegralOrUnscopedEnumerationType()) { 17202 // An ICE must be of integral or unscoped enumeration type. 17203 if (!Diagnoser.Suppress) 17204 Diagnoser.diagnoseNotICEType(*this, DiagLoc, E->getType()) 17205 << E->getSourceRange(); 17206 return ExprError(); 17207 } 17208 17209 ExprResult RValueExpr = DefaultLvalueConversion(E); 17210 if (RValueExpr.isInvalid()) 17211 return ExprError(); 17212 17213 E = RValueExpr.get(); 17214 17215 // Circumvent ICE checking in C++11 to avoid evaluating the expression twice 17216 // in the non-ICE case. 17217 if (!getLangOpts().CPlusPlus11 && E->isIntegerConstantExpr(Context)) { 17218 if (Result) 17219 *Result = E->EvaluateKnownConstIntCheckOverflow(Context); 17220 if (!isa<ConstantExpr>(E)) 17221 E = Result ? ConstantExpr::Create(Context, E, APValue(*Result)) 17222 : ConstantExpr::Create(Context, E); 17223 return E; 17224 } 17225 17226 Expr::EvalResult EvalResult; 17227 SmallVector<PartialDiagnosticAt, 8> Notes; 17228 EvalResult.Diag = &Notes; 17229 17230 // Try to evaluate the expression, and produce diagnostics explaining why it's 17231 // not a constant expression as a side-effect. 17232 bool Folded = 17233 E->EvaluateAsRValue(EvalResult, Context, /*isConstantContext*/ true) && 17234 EvalResult.Val.isInt() && !EvalResult.HasSideEffects; 17235 17236 if (!isa<ConstantExpr>(E)) 17237 E = ConstantExpr::Create(Context, E, EvalResult.Val); 17238 17239 // In C++11, we can rely on diagnostics being produced for any expression 17240 // which is not a constant expression. If no diagnostics were produced, then 17241 // this is a constant expression. 17242 if (Folded && getLangOpts().CPlusPlus11 && Notes.empty()) { 17243 if (Result) 17244 *Result = EvalResult.Val.getInt(); 17245 return E; 17246 } 17247 17248 // If our only note is the usual "invalid subexpression" note, just point 17249 // the caret at its location rather than producing an essentially 17250 // redundant note. 17251 if (Notes.size() == 1 && Notes[0].second.getDiagID() == 17252 diag::note_invalid_subexpr_in_const_expr) { 17253 DiagLoc = Notes[0].first; 17254 Notes.clear(); 17255 } 17256 17257 if (!Folded || !CanFold) { 17258 if (!Diagnoser.Suppress) { 17259 Diagnoser.diagnoseNotICE(*this, DiagLoc) << E->getSourceRange(); 17260 for (const PartialDiagnosticAt &Note : Notes) 17261 Diag(Note.first, Note.second); 17262 } 17263 17264 return ExprError(); 17265 } 17266 17267 Diagnoser.diagnoseFold(*this, DiagLoc) << E->getSourceRange(); 17268 for (const PartialDiagnosticAt &Note : Notes) 17269 Diag(Note.first, Note.second); 17270 17271 if (Result) 17272 *Result = EvalResult.Val.getInt(); 17273 return E; 17274 } 17275 17276 namespace { 17277 // Handle the case where we conclude a expression which we speculatively 17278 // considered to be unevaluated is actually evaluated. 17279 class TransformToPE : public TreeTransform<TransformToPE> { 17280 typedef TreeTransform<TransformToPE> BaseTransform; 17281 17282 public: 17283 TransformToPE(Sema &SemaRef) : BaseTransform(SemaRef) { } 17284 17285 // Make sure we redo semantic analysis 17286 bool AlwaysRebuild() { return true; } 17287 bool ReplacingOriginal() { return true; } 17288 17289 // We need to special-case DeclRefExprs referring to FieldDecls which 17290 // are not part of a member pointer formation; normal TreeTransforming 17291 // doesn't catch this case because of the way we represent them in the AST. 17292 // FIXME: This is a bit ugly; is it really the best way to handle this 17293 // case? 17294 // 17295 // Error on DeclRefExprs referring to FieldDecls. 17296 ExprResult TransformDeclRefExpr(DeclRefExpr *E) { 17297 if (isa<FieldDecl>(E->getDecl()) && 17298 !SemaRef.isUnevaluatedContext()) 17299 return SemaRef.Diag(E->getLocation(), 17300 diag::err_invalid_non_static_member_use) 17301 << E->getDecl() << E->getSourceRange(); 17302 17303 return BaseTransform::TransformDeclRefExpr(E); 17304 } 17305 17306 // Exception: filter out member pointer formation 17307 ExprResult TransformUnaryOperator(UnaryOperator *E) { 17308 if (E->getOpcode() == UO_AddrOf && E->getType()->isMemberPointerType()) 17309 return E; 17310 17311 return BaseTransform::TransformUnaryOperator(E); 17312 } 17313 17314 // The body of a lambda-expression is in a separate expression evaluation 17315 // context so never needs to be transformed. 17316 // FIXME: Ideally we wouldn't transform the closure type either, and would 17317 // just recreate the capture expressions and lambda expression. 17318 StmtResult TransformLambdaBody(LambdaExpr *E, Stmt *Body) { 17319 return SkipLambdaBody(E, Body); 17320 } 17321 }; 17322 } 17323 17324 ExprResult Sema::TransformToPotentiallyEvaluated(Expr *E) { 17325 assert(isUnevaluatedContext() && 17326 "Should only transform unevaluated expressions"); 17327 ExprEvalContexts.back().Context = 17328 ExprEvalContexts[ExprEvalContexts.size()-2].Context; 17329 if (isUnevaluatedContext()) 17330 return E; 17331 return TransformToPE(*this).TransformExpr(E); 17332 } 17333 17334 TypeSourceInfo *Sema::TransformToPotentiallyEvaluated(TypeSourceInfo *TInfo) { 17335 assert(isUnevaluatedContext() && 17336 "Should only transform unevaluated expressions"); 17337 ExprEvalContexts.back().Context = 17338 ExprEvalContexts[ExprEvalContexts.size() - 2].Context; 17339 if (isUnevaluatedContext()) 17340 return TInfo; 17341 return TransformToPE(*this).TransformType(TInfo); 17342 } 17343 17344 void 17345 Sema::PushExpressionEvaluationContext( 17346 ExpressionEvaluationContext NewContext, Decl *LambdaContextDecl, 17347 ExpressionEvaluationContextRecord::ExpressionKind ExprContext) { 17348 ExprEvalContexts.emplace_back(NewContext, ExprCleanupObjects.size(), Cleanup, 17349 LambdaContextDecl, ExprContext); 17350 17351 // Discarded statements and immediate contexts nested in other 17352 // discarded statements or immediate context are themselves 17353 // a discarded statement or an immediate context, respectively. 17354 ExprEvalContexts.back().InDiscardedStatement = 17355 ExprEvalContexts[ExprEvalContexts.size() - 2] 17356 .isDiscardedStatementContext(); 17357 ExprEvalContexts.back().InImmediateFunctionContext = 17358 ExprEvalContexts[ExprEvalContexts.size() - 2] 17359 .isImmediateFunctionContext(); 17360 17361 Cleanup.reset(); 17362 if (!MaybeODRUseExprs.empty()) 17363 std::swap(MaybeODRUseExprs, ExprEvalContexts.back().SavedMaybeODRUseExprs); 17364 } 17365 17366 void 17367 Sema::PushExpressionEvaluationContext( 17368 ExpressionEvaluationContext NewContext, ReuseLambdaContextDecl_t, 17369 ExpressionEvaluationContextRecord::ExpressionKind ExprContext) { 17370 Decl *ClosureContextDecl = ExprEvalContexts.back().ManglingContextDecl; 17371 PushExpressionEvaluationContext(NewContext, ClosureContextDecl, ExprContext); 17372 } 17373 17374 namespace { 17375 17376 const DeclRefExpr *CheckPossibleDeref(Sema &S, const Expr *PossibleDeref) { 17377 PossibleDeref = PossibleDeref->IgnoreParenImpCasts(); 17378 if (const auto *E = dyn_cast<UnaryOperator>(PossibleDeref)) { 17379 if (E->getOpcode() == UO_Deref) 17380 return CheckPossibleDeref(S, E->getSubExpr()); 17381 } else if (const auto *E = dyn_cast<ArraySubscriptExpr>(PossibleDeref)) { 17382 return CheckPossibleDeref(S, E->getBase()); 17383 } else if (const auto *E = dyn_cast<MemberExpr>(PossibleDeref)) { 17384 return CheckPossibleDeref(S, E->getBase()); 17385 } else if (const auto E = dyn_cast<DeclRefExpr>(PossibleDeref)) { 17386 QualType Inner; 17387 QualType Ty = E->getType(); 17388 if (const auto *Ptr = Ty->getAs<PointerType>()) 17389 Inner = Ptr->getPointeeType(); 17390 else if (const auto *Arr = S.Context.getAsArrayType(Ty)) 17391 Inner = Arr->getElementType(); 17392 else 17393 return nullptr; 17394 17395 if (Inner->hasAttr(attr::NoDeref)) 17396 return E; 17397 } 17398 return nullptr; 17399 } 17400 17401 } // namespace 17402 17403 void Sema::WarnOnPendingNoDerefs(ExpressionEvaluationContextRecord &Rec) { 17404 for (const Expr *E : Rec.PossibleDerefs) { 17405 const DeclRefExpr *DeclRef = CheckPossibleDeref(*this, E); 17406 if (DeclRef) { 17407 const ValueDecl *Decl = DeclRef->getDecl(); 17408 Diag(E->getExprLoc(), diag::warn_dereference_of_noderef_type) 17409 << Decl->getName() << E->getSourceRange(); 17410 Diag(Decl->getLocation(), diag::note_previous_decl) << Decl->getName(); 17411 } else { 17412 Diag(E->getExprLoc(), diag::warn_dereference_of_noderef_type_no_decl) 17413 << E->getSourceRange(); 17414 } 17415 } 17416 Rec.PossibleDerefs.clear(); 17417 } 17418 17419 /// Check whether E, which is either a discarded-value expression or an 17420 /// unevaluated operand, is a simple-assignment to a volatlie-qualified lvalue, 17421 /// and if so, remove it from the list of volatile-qualified assignments that 17422 /// we are going to warn are deprecated. 17423 void Sema::CheckUnusedVolatileAssignment(Expr *E) { 17424 if (!E->getType().isVolatileQualified() || !getLangOpts().CPlusPlus20) 17425 return; 17426 17427 // Note: ignoring parens here is not justified by the standard rules, but 17428 // ignoring parentheses seems like a more reasonable approach, and this only 17429 // drives a deprecation warning so doesn't affect conformance. 17430 if (auto *BO = dyn_cast<BinaryOperator>(E->IgnoreParenImpCasts())) { 17431 if (BO->getOpcode() == BO_Assign) { 17432 auto &LHSs = ExprEvalContexts.back().VolatileAssignmentLHSs; 17433 llvm::erase_value(LHSs, BO->getLHS()); 17434 } 17435 } 17436 } 17437 17438 ExprResult Sema::CheckForImmediateInvocation(ExprResult E, FunctionDecl *Decl) { 17439 if (isUnevaluatedContext() || !E.isUsable() || !Decl || 17440 !Decl->isConsteval() || isConstantEvaluated() || 17441 RebuildingImmediateInvocation || isImmediateFunctionContext()) 17442 return E; 17443 17444 /// Opportunistically remove the callee from ReferencesToConsteval if we can. 17445 /// It's OK if this fails; we'll also remove this in 17446 /// HandleImmediateInvocations, but catching it here allows us to avoid 17447 /// walking the AST looking for it in simple cases. 17448 if (auto *Call = dyn_cast<CallExpr>(E.get()->IgnoreImplicit())) 17449 if (auto *DeclRef = 17450 dyn_cast<DeclRefExpr>(Call->getCallee()->IgnoreImplicit())) 17451 ExprEvalContexts.back().ReferenceToConsteval.erase(DeclRef); 17452 17453 E = MaybeCreateExprWithCleanups(E); 17454 17455 ConstantExpr *Res = ConstantExpr::Create( 17456 getASTContext(), E.get(), 17457 ConstantExpr::getStorageKind(Decl->getReturnType().getTypePtr(), 17458 getASTContext()), 17459 /*IsImmediateInvocation*/ true); 17460 /// Value-dependent constant expressions should not be immediately 17461 /// evaluated until they are instantiated. 17462 if (!Res->isValueDependent()) 17463 ExprEvalContexts.back().ImmediateInvocationCandidates.emplace_back(Res, 0); 17464 return Res; 17465 } 17466 17467 static void EvaluateAndDiagnoseImmediateInvocation( 17468 Sema &SemaRef, Sema::ImmediateInvocationCandidate Candidate) { 17469 llvm::SmallVector<PartialDiagnosticAt, 8> Notes; 17470 Expr::EvalResult Eval; 17471 Eval.Diag = &Notes; 17472 ConstantExpr *CE = Candidate.getPointer(); 17473 bool Result = CE->EvaluateAsConstantExpr( 17474 Eval, SemaRef.getASTContext(), ConstantExprKind::ImmediateInvocation); 17475 if (!Result || !Notes.empty()) { 17476 Expr *InnerExpr = CE->getSubExpr()->IgnoreImplicit(); 17477 if (auto *FunctionalCast = dyn_cast<CXXFunctionalCastExpr>(InnerExpr)) 17478 InnerExpr = FunctionalCast->getSubExpr(); 17479 FunctionDecl *FD = nullptr; 17480 if (auto *Call = dyn_cast<CallExpr>(InnerExpr)) 17481 FD = cast<FunctionDecl>(Call->getCalleeDecl()); 17482 else if (auto *Call = dyn_cast<CXXConstructExpr>(InnerExpr)) 17483 FD = Call->getConstructor(); 17484 else 17485 llvm_unreachable("unhandled decl kind"); 17486 assert(FD->isConsteval()); 17487 SemaRef.Diag(CE->getBeginLoc(), diag::err_invalid_consteval_call) << FD; 17488 for (auto &Note : Notes) 17489 SemaRef.Diag(Note.first, Note.second); 17490 return; 17491 } 17492 CE->MoveIntoResult(Eval.Val, SemaRef.getASTContext()); 17493 } 17494 17495 static void RemoveNestedImmediateInvocation( 17496 Sema &SemaRef, Sema::ExpressionEvaluationContextRecord &Rec, 17497 SmallVector<Sema::ImmediateInvocationCandidate, 4>::reverse_iterator It) { 17498 struct ComplexRemove : TreeTransform<ComplexRemove> { 17499 using Base = TreeTransform<ComplexRemove>; 17500 llvm::SmallPtrSetImpl<DeclRefExpr *> &DRSet; 17501 SmallVector<Sema::ImmediateInvocationCandidate, 4> &IISet; 17502 SmallVector<Sema::ImmediateInvocationCandidate, 4>::reverse_iterator 17503 CurrentII; 17504 ComplexRemove(Sema &SemaRef, llvm::SmallPtrSetImpl<DeclRefExpr *> &DR, 17505 SmallVector<Sema::ImmediateInvocationCandidate, 4> &II, 17506 SmallVector<Sema::ImmediateInvocationCandidate, 17507 4>::reverse_iterator Current) 17508 : Base(SemaRef), DRSet(DR), IISet(II), CurrentII(Current) {} 17509 void RemoveImmediateInvocation(ConstantExpr* E) { 17510 auto It = std::find_if(CurrentII, IISet.rend(), 17511 [E](Sema::ImmediateInvocationCandidate Elem) { 17512 return Elem.getPointer() == E; 17513 }); 17514 assert(It != IISet.rend() && 17515 "ConstantExpr marked IsImmediateInvocation should " 17516 "be present"); 17517 It->setInt(1); // Mark as deleted 17518 } 17519 ExprResult TransformConstantExpr(ConstantExpr *E) { 17520 if (!E->isImmediateInvocation()) 17521 return Base::TransformConstantExpr(E); 17522 RemoveImmediateInvocation(E); 17523 return Base::TransformExpr(E->getSubExpr()); 17524 } 17525 /// Base::TransfromCXXOperatorCallExpr doesn't traverse the callee so 17526 /// we need to remove its DeclRefExpr from the DRSet. 17527 ExprResult TransformCXXOperatorCallExpr(CXXOperatorCallExpr *E) { 17528 DRSet.erase(cast<DeclRefExpr>(E->getCallee()->IgnoreImplicit())); 17529 return Base::TransformCXXOperatorCallExpr(E); 17530 } 17531 /// Base::TransformInitializer skip ConstantExpr so we need to visit them 17532 /// here. 17533 ExprResult TransformInitializer(Expr *Init, bool NotCopyInit) { 17534 if (!Init) 17535 return Init; 17536 /// ConstantExpr are the first layer of implicit node to be removed so if 17537 /// Init isn't a ConstantExpr, no ConstantExpr will be skipped. 17538 if (auto *CE = dyn_cast<ConstantExpr>(Init)) 17539 if (CE->isImmediateInvocation()) 17540 RemoveImmediateInvocation(CE); 17541 return Base::TransformInitializer(Init, NotCopyInit); 17542 } 17543 ExprResult TransformDeclRefExpr(DeclRefExpr *E) { 17544 DRSet.erase(E); 17545 return E; 17546 } 17547 bool AlwaysRebuild() { return false; } 17548 bool ReplacingOriginal() { return true; } 17549 bool AllowSkippingCXXConstructExpr() { 17550 bool Res = AllowSkippingFirstCXXConstructExpr; 17551 AllowSkippingFirstCXXConstructExpr = true; 17552 return Res; 17553 } 17554 bool AllowSkippingFirstCXXConstructExpr = true; 17555 } Transformer(SemaRef, Rec.ReferenceToConsteval, 17556 Rec.ImmediateInvocationCandidates, It); 17557 17558 /// CXXConstructExpr with a single argument are getting skipped by 17559 /// TreeTransform in some situtation because they could be implicit. This 17560 /// can only occur for the top-level CXXConstructExpr because it is used 17561 /// nowhere in the expression being transformed therefore will not be rebuilt. 17562 /// Setting AllowSkippingFirstCXXConstructExpr to false will prevent from 17563 /// skipping the first CXXConstructExpr. 17564 if (isa<CXXConstructExpr>(It->getPointer()->IgnoreImplicit())) 17565 Transformer.AllowSkippingFirstCXXConstructExpr = false; 17566 17567 ExprResult Res = Transformer.TransformExpr(It->getPointer()->getSubExpr()); 17568 assert(Res.isUsable()); 17569 Res = SemaRef.MaybeCreateExprWithCleanups(Res); 17570 It->getPointer()->setSubExpr(Res.get()); 17571 } 17572 17573 static void 17574 HandleImmediateInvocations(Sema &SemaRef, 17575 Sema::ExpressionEvaluationContextRecord &Rec) { 17576 if ((Rec.ImmediateInvocationCandidates.size() == 0 && 17577 Rec.ReferenceToConsteval.size() == 0) || 17578 SemaRef.RebuildingImmediateInvocation) 17579 return; 17580 17581 /// When we have more then 1 ImmediateInvocationCandidates we need to check 17582 /// for nested ImmediateInvocationCandidates. when we have only 1 we only 17583 /// need to remove ReferenceToConsteval in the immediate invocation. 17584 if (Rec.ImmediateInvocationCandidates.size() > 1) { 17585 17586 /// Prevent sema calls during the tree transform from adding pointers that 17587 /// are already in the sets. 17588 llvm::SaveAndRestore<bool> DisableIITracking( 17589 SemaRef.RebuildingImmediateInvocation, true); 17590 17591 /// Prevent diagnostic during tree transfrom as they are duplicates 17592 Sema::TentativeAnalysisScope DisableDiag(SemaRef); 17593 17594 for (auto It = Rec.ImmediateInvocationCandidates.rbegin(); 17595 It != Rec.ImmediateInvocationCandidates.rend(); It++) 17596 if (!It->getInt()) 17597 RemoveNestedImmediateInvocation(SemaRef, Rec, It); 17598 } else if (Rec.ImmediateInvocationCandidates.size() == 1 && 17599 Rec.ReferenceToConsteval.size()) { 17600 struct SimpleRemove : RecursiveASTVisitor<SimpleRemove> { 17601 llvm::SmallPtrSetImpl<DeclRefExpr *> &DRSet; 17602 SimpleRemove(llvm::SmallPtrSetImpl<DeclRefExpr *> &S) : DRSet(S) {} 17603 bool VisitDeclRefExpr(DeclRefExpr *E) { 17604 DRSet.erase(E); 17605 return DRSet.size(); 17606 } 17607 } Visitor(Rec.ReferenceToConsteval); 17608 Visitor.TraverseStmt( 17609 Rec.ImmediateInvocationCandidates.front().getPointer()->getSubExpr()); 17610 } 17611 for (auto CE : Rec.ImmediateInvocationCandidates) 17612 if (!CE.getInt()) 17613 EvaluateAndDiagnoseImmediateInvocation(SemaRef, CE); 17614 for (auto DR : Rec.ReferenceToConsteval) { 17615 auto *FD = cast<FunctionDecl>(DR->getDecl()); 17616 SemaRef.Diag(DR->getBeginLoc(), diag::err_invalid_consteval_take_address) 17617 << FD; 17618 SemaRef.Diag(FD->getLocation(), diag::note_declared_at); 17619 } 17620 } 17621 17622 void Sema::PopExpressionEvaluationContext() { 17623 ExpressionEvaluationContextRecord& Rec = ExprEvalContexts.back(); 17624 unsigned NumTypos = Rec.NumTypos; 17625 17626 if (!Rec.Lambdas.empty()) { 17627 using ExpressionKind = ExpressionEvaluationContextRecord::ExpressionKind; 17628 if (!getLangOpts().CPlusPlus20 && 17629 (Rec.ExprContext == ExpressionKind::EK_TemplateArgument || 17630 Rec.isUnevaluated() || 17631 (Rec.isConstantEvaluated() && !getLangOpts().CPlusPlus17))) { 17632 unsigned D; 17633 if (Rec.isUnevaluated()) { 17634 // C++11 [expr.prim.lambda]p2: 17635 // A lambda-expression shall not appear in an unevaluated operand 17636 // (Clause 5). 17637 D = diag::err_lambda_unevaluated_operand; 17638 } else if (Rec.isConstantEvaluated() && !getLangOpts().CPlusPlus17) { 17639 // C++1y [expr.const]p2: 17640 // A conditional-expression e is a core constant expression unless the 17641 // evaluation of e, following the rules of the abstract machine, would 17642 // evaluate [...] a lambda-expression. 17643 D = diag::err_lambda_in_constant_expression; 17644 } else if (Rec.ExprContext == ExpressionKind::EK_TemplateArgument) { 17645 // C++17 [expr.prim.lamda]p2: 17646 // A lambda-expression shall not appear [...] in a template-argument. 17647 D = diag::err_lambda_in_invalid_context; 17648 } else 17649 llvm_unreachable("Couldn't infer lambda error message."); 17650 17651 for (const auto *L : Rec.Lambdas) 17652 Diag(L->getBeginLoc(), D); 17653 } 17654 } 17655 17656 WarnOnPendingNoDerefs(Rec); 17657 HandleImmediateInvocations(*this, Rec); 17658 17659 // Warn on any volatile-qualified simple-assignments that are not discarded- 17660 // value expressions nor unevaluated operands (those cases get removed from 17661 // this list by CheckUnusedVolatileAssignment). 17662 for (auto *BO : Rec.VolatileAssignmentLHSs) 17663 Diag(BO->getBeginLoc(), diag::warn_deprecated_simple_assign_volatile) 17664 << BO->getType(); 17665 17666 // When are coming out of an unevaluated context, clear out any 17667 // temporaries that we may have created as part of the evaluation of 17668 // the expression in that context: they aren't relevant because they 17669 // will never be constructed. 17670 if (Rec.isUnevaluated() || Rec.isConstantEvaluated()) { 17671 ExprCleanupObjects.erase(ExprCleanupObjects.begin() + Rec.NumCleanupObjects, 17672 ExprCleanupObjects.end()); 17673 Cleanup = Rec.ParentCleanup; 17674 CleanupVarDeclMarking(); 17675 std::swap(MaybeODRUseExprs, Rec.SavedMaybeODRUseExprs); 17676 // Otherwise, merge the contexts together. 17677 } else { 17678 Cleanup.mergeFrom(Rec.ParentCleanup); 17679 MaybeODRUseExprs.insert(Rec.SavedMaybeODRUseExprs.begin(), 17680 Rec.SavedMaybeODRUseExprs.end()); 17681 } 17682 17683 // Pop the current expression evaluation context off the stack. 17684 ExprEvalContexts.pop_back(); 17685 17686 // The global expression evaluation context record is never popped. 17687 ExprEvalContexts.back().NumTypos += NumTypos; 17688 } 17689 17690 void Sema::DiscardCleanupsInEvaluationContext() { 17691 ExprCleanupObjects.erase( 17692 ExprCleanupObjects.begin() + ExprEvalContexts.back().NumCleanupObjects, 17693 ExprCleanupObjects.end()); 17694 Cleanup.reset(); 17695 MaybeODRUseExprs.clear(); 17696 } 17697 17698 ExprResult Sema::HandleExprEvaluationContextForTypeof(Expr *E) { 17699 ExprResult Result = CheckPlaceholderExpr(E); 17700 if (Result.isInvalid()) 17701 return ExprError(); 17702 E = Result.get(); 17703 if (!E->getType()->isVariablyModifiedType()) 17704 return E; 17705 return TransformToPotentiallyEvaluated(E); 17706 } 17707 17708 /// Are we in a context that is potentially constant evaluated per C++20 17709 /// [expr.const]p12? 17710 static bool isPotentiallyConstantEvaluatedContext(Sema &SemaRef) { 17711 /// C++2a [expr.const]p12: 17712 // An expression or conversion is potentially constant evaluated if it is 17713 switch (SemaRef.ExprEvalContexts.back().Context) { 17714 case Sema::ExpressionEvaluationContext::ConstantEvaluated: 17715 case Sema::ExpressionEvaluationContext::ImmediateFunctionContext: 17716 17717 // -- a manifestly constant-evaluated expression, 17718 case Sema::ExpressionEvaluationContext::PotentiallyEvaluated: 17719 case Sema::ExpressionEvaluationContext::PotentiallyEvaluatedIfUsed: 17720 case Sema::ExpressionEvaluationContext::DiscardedStatement: 17721 // -- a potentially-evaluated expression, 17722 case Sema::ExpressionEvaluationContext::UnevaluatedList: 17723 // -- an immediate subexpression of a braced-init-list, 17724 17725 // -- [FIXME] an expression of the form & cast-expression that occurs 17726 // within a templated entity 17727 // -- a subexpression of one of the above that is not a subexpression of 17728 // a nested unevaluated operand. 17729 return true; 17730 17731 case Sema::ExpressionEvaluationContext::Unevaluated: 17732 case Sema::ExpressionEvaluationContext::UnevaluatedAbstract: 17733 // Expressions in this context are never evaluated. 17734 return false; 17735 } 17736 llvm_unreachable("Invalid context"); 17737 } 17738 17739 /// Return true if this function has a calling convention that requires mangling 17740 /// in the size of the parameter pack. 17741 static bool funcHasParameterSizeMangling(Sema &S, FunctionDecl *FD) { 17742 // These manglings don't do anything on non-Windows or non-x86 platforms, so 17743 // we don't need parameter type sizes. 17744 const llvm::Triple &TT = S.Context.getTargetInfo().getTriple(); 17745 if (!TT.isOSWindows() || !TT.isX86()) 17746 return false; 17747 17748 // If this is C++ and this isn't an extern "C" function, parameters do not 17749 // need to be complete. In this case, C++ mangling will apply, which doesn't 17750 // use the size of the parameters. 17751 if (S.getLangOpts().CPlusPlus && !FD->isExternC()) 17752 return false; 17753 17754 // Stdcall, fastcall, and vectorcall need this special treatment. 17755 CallingConv CC = FD->getType()->castAs<FunctionType>()->getCallConv(); 17756 switch (CC) { 17757 case CC_X86StdCall: 17758 case CC_X86FastCall: 17759 case CC_X86VectorCall: 17760 return true; 17761 default: 17762 break; 17763 } 17764 return false; 17765 } 17766 17767 /// Require that all of the parameter types of function be complete. Normally, 17768 /// parameter types are only required to be complete when a function is called 17769 /// or defined, but to mangle functions with certain calling conventions, the 17770 /// mangler needs to know the size of the parameter list. In this situation, 17771 /// MSVC doesn't emit an error or instantiate templates. Instead, MSVC mangles 17772 /// the function as _foo@0, i.e. zero bytes of parameters, which will usually 17773 /// result in a linker error. Clang doesn't implement this behavior, and instead 17774 /// attempts to error at compile time. 17775 static void CheckCompleteParameterTypesForMangler(Sema &S, FunctionDecl *FD, 17776 SourceLocation Loc) { 17777 class ParamIncompleteTypeDiagnoser : public Sema::TypeDiagnoser { 17778 FunctionDecl *FD; 17779 ParmVarDecl *Param; 17780 17781 public: 17782 ParamIncompleteTypeDiagnoser(FunctionDecl *FD, ParmVarDecl *Param) 17783 : FD(FD), Param(Param) {} 17784 17785 void diagnose(Sema &S, SourceLocation Loc, QualType T) override { 17786 CallingConv CC = FD->getType()->castAs<FunctionType>()->getCallConv(); 17787 StringRef CCName; 17788 switch (CC) { 17789 case CC_X86StdCall: 17790 CCName = "stdcall"; 17791 break; 17792 case CC_X86FastCall: 17793 CCName = "fastcall"; 17794 break; 17795 case CC_X86VectorCall: 17796 CCName = "vectorcall"; 17797 break; 17798 default: 17799 llvm_unreachable("CC does not need mangling"); 17800 } 17801 17802 S.Diag(Loc, diag::err_cconv_incomplete_param_type) 17803 << Param->getDeclName() << FD->getDeclName() << CCName; 17804 } 17805 }; 17806 17807 for (ParmVarDecl *Param : FD->parameters()) { 17808 ParamIncompleteTypeDiagnoser Diagnoser(FD, Param); 17809 S.RequireCompleteType(Loc, Param->getType(), Diagnoser); 17810 } 17811 } 17812 17813 namespace { 17814 enum class OdrUseContext { 17815 /// Declarations in this context are not odr-used. 17816 None, 17817 /// Declarations in this context are formally odr-used, but this is a 17818 /// dependent context. 17819 Dependent, 17820 /// Declarations in this context are odr-used but not actually used (yet). 17821 FormallyOdrUsed, 17822 /// Declarations in this context are used. 17823 Used 17824 }; 17825 } 17826 17827 /// Are we within a context in which references to resolved functions or to 17828 /// variables result in odr-use? 17829 static OdrUseContext isOdrUseContext(Sema &SemaRef) { 17830 OdrUseContext Result; 17831 17832 switch (SemaRef.ExprEvalContexts.back().Context) { 17833 case Sema::ExpressionEvaluationContext::Unevaluated: 17834 case Sema::ExpressionEvaluationContext::UnevaluatedList: 17835 case Sema::ExpressionEvaluationContext::UnevaluatedAbstract: 17836 return OdrUseContext::None; 17837 17838 case Sema::ExpressionEvaluationContext::ConstantEvaluated: 17839 case Sema::ExpressionEvaluationContext::ImmediateFunctionContext: 17840 case Sema::ExpressionEvaluationContext::PotentiallyEvaluated: 17841 Result = OdrUseContext::Used; 17842 break; 17843 17844 case Sema::ExpressionEvaluationContext::DiscardedStatement: 17845 Result = OdrUseContext::FormallyOdrUsed; 17846 break; 17847 17848 case Sema::ExpressionEvaluationContext::PotentiallyEvaluatedIfUsed: 17849 // A default argument formally results in odr-use, but doesn't actually 17850 // result in a use in any real sense until it itself is used. 17851 Result = OdrUseContext::FormallyOdrUsed; 17852 break; 17853 } 17854 17855 if (SemaRef.CurContext->isDependentContext()) 17856 return OdrUseContext::Dependent; 17857 17858 return Result; 17859 } 17860 17861 static bool isImplicitlyDefinableConstexprFunction(FunctionDecl *Func) { 17862 if (!Func->isConstexpr()) 17863 return false; 17864 17865 if (Func->isImplicitlyInstantiable() || !Func->isUserProvided()) 17866 return true; 17867 auto *CCD = dyn_cast<CXXConstructorDecl>(Func); 17868 return CCD && CCD->getInheritedConstructor(); 17869 } 17870 17871 /// Mark a function referenced, and check whether it is odr-used 17872 /// (C++ [basic.def.odr]p2, C99 6.9p3) 17873 void Sema::MarkFunctionReferenced(SourceLocation Loc, FunctionDecl *Func, 17874 bool MightBeOdrUse) { 17875 assert(Func && "No function?"); 17876 17877 Func->setReferenced(); 17878 17879 // Recursive functions aren't really used until they're used from some other 17880 // context. 17881 bool IsRecursiveCall = CurContext == Func; 17882 17883 // C++11 [basic.def.odr]p3: 17884 // A function whose name appears as a potentially-evaluated expression is 17885 // odr-used if it is the unique lookup result or the selected member of a 17886 // set of overloaded functions [...]. 17887 // 17888 // We (incorrectly) mark overload resolution as an unevaluated context, so we 17889 // can just check that here. 17890 OdrUseContext OdrUse = 17891 MightBeOdrUse ? isOdrUseContext(*this) : OdrUseContext::None; 17892 if (IsRecursiveCall && OdrUse == OdrUseContext::Used) 17893 OdrUse = OdrUseContext::FormallyOdrUsed; 17894 17895 // Trivial default constructors and destructors are never actually used. 17896 // FIXME: What about other special members? 17897 if (Func->isTrivial() && !Func->hasAttr<DLLExportAttr>() && 17898 OdrUse == OdrUseContext::Used) { 17899 if (auto *Constructor = dyn_cast<CXXConstructorDecl>(Func)) 17900 if (Constructor->isDefaultConstructor()) 17901 OdrUse = OdrUseContext::FormallyOdrUsed; 17902 if (isa<CXXDestructorDecl>(Func)) 17903 OdrUse = OdrUseContext::FormallyOdrUsed; 17904 } 17905 17906 // C++20 [expr.const]p12: 17907 // A function [...] is needed for constant evaluation if it is [...] a 17908 // constexpr function that is named by an expression that is potentially 17909 // constant evaluated 17910 bool NeededForConstantEvaluation = 17911 isPotentiallyConstantEvaluatedContext(*this) && 17912 isImplicitlyDefinableConstexprFunction(Func); 17913 17914 // Determine whether we require a function definition to exist, per 17915 // C++11 [temp.inst]p3: 17916 // Unless a function template specialization has been explicitly 17917 // instantiated or explicitly specialized, the function template 17918 // specialization is implicitly instantiated when the specialization is 17919 // referenced in a context that requires a function definition to exist. 17920 // C++20 [temp.inst]p7: 17921 // The existence of a definition of a [...] function is considered to 17922 // affect the semantics of the program if the [...] function is needed for 17923 // constant evaluation by an expression 17924 // C++20 [basic.def.odr]p10: 17925 // Every program shall contain exactly one definition of every non-inline 17926 // function or variable that is odr-used in that program outside of a 17927 // discarded statement 17928 // C++20 [special]p1: 17929 // The implementation will implicitly define [defaulted special members] 17930 // if they are odr-used or needed for constant evaluation. 17931 // 17932 // Note that we skip the implicit instantiation of templates that are only 17933 // used in unused default arguments or by recursive calls to themselves. 17934 // This is formally non-conforming, but seems reasonable in practice. 17935 bool NeedDefinition = !IsRecursiveCall && (OdrUse == OdrUseContext::Used || 17936 NeededForConstantEvaluation); 17937 17938 // C++14 [temp.expl.spec]p6: 17939 // If a template [...] is explicitly specialized then that specialization 17940 // shall be declared before the first use of that specialization that would 17941 // cause an implicit instantiation to take place, in every translation unit 17942 // in which such a use occurs 17943 if (NeedDefinition && 17944 (Func->getTemplateSpecializationKind() != TSK_Undeclared || 17945 Func->getMemberSpecializationInfo())) 17946 checkSpecializationVisibility(Loc, Func); 17947 17948 if (getLangOpts().CUDA) 17949 CheckCUDACall(Loc, Func); 17950 17951 if (getLangOpts().SYCLIsDevice) 17952 checkSYCLDeviceFunction(Loc, Func); 17953 17954 // If we need a definition, try to create one. 17955 if (NeedDefinition && !Func->getBody()) { 17956 runWithSufficientStackSpace(Loc, [&] { 17957 if (CXXConstructorDecl *Constructor = 17958 dyn_cast<CXXConstructorDecl>(Func)) { 17959 Constructor = cast<CXXConstructorDecl>(Constructor->getFirstDecl()); 17960 if (Constructor->isDefaulted() && !Constructor->isDeleted()) { 17961 if (Constructor->isDefaultConstructor()) { 17962 if (Constructor->isTrivial() && 17963 !Constructor->hasAttr<DLLExportAttr>()) 17964 return; 17965 DefineImplicitDefaultConstructor(Loc, Constructor); 17966 } else if (Constructor->isCopyConstructor()) { 17967 DefineImplicitCopyConstructor(Loc, Constructor); 17968 } else if (Constructor->isMoveConstructor()) { 17969 DefineImplicitMoveConstructor(Loc, Constructor); 17970 } 17971 } else if (Constructor->getInheritedConstructor()) { 17972 DefineInheritingConstructor(Loc, Constructor); 17973 } 17974 } else if (CXXDestructorDecl *Destructor = 17975 dyn_cast<CXXDestructorDecl>(Func)) { 17976 Destructor = cast<CXXDestructorDecl>(Destructor->getFirstDecl()); 17977 if (Destructor->isDefaulted() && !Destructor->isDeleted()) { 17978 if (Destructor->isTrivial() && !Destructor->hasAttr<DLLExportAttr>()) 17979 return; 17980 DefineImplicitDestructor(Loc, Destructor); 17981 } 17982 if (Destructor->isVirtual() && getLangOpts().AppleKext) 17983 MarkVTableUsed(Loc, Destructor->getParent()); 17984 } else if (CXXMethodDecl *MethodDecl = dyn_cast<CXXMethodDecl>(Func)) { 17985 if (MethodDecl->isOverloadedOperator() && 17986 MethodDecl->getOverloadedOperator() == OO_Equal) { 17987 MethodDecl = cast<CXXMethodDecl>(MethodDecl->getFirstDecl()); 17988 if (MethodDecl->isDefaulted() && !MethodDecl->isDeleted()) { 17989 if (MethodDecl->isCopyAssignmentOperator()) 17990 DefineImplicitCopyAssignment(Loc, MethodDecl); 17991 else if (MethodDecl->isMoveAssignmentOperator()) 17992 DefineImplicitMoveAssignment(Loc, MethodDecl); 17993 } 17994 } else if (isa<CXXConversionDecl>(MethodDecl) && 17995 MethodDecl->getParent()->isLambda()) { 17996 CXXConversionDecl *Conversion = 17997 cast<CXXConversionDecl>(MethodDecl->getFirstDecl()); 17998 if (Conversion->isLambdaToBlockPointerConversion()) 17999 DefineImplicitLambdaToBlockPointerConversion(Loc, Conversion); 18000 else 18001 DefineImplicitLambdaToFunctionPointerConversion(Loc, Conversion); 18002 } else if (MethodDecl->isVirtual() && getLangOpts().AppleKext) 18003 MarkVTableUsed(Loc, MethodDecl->getParent()); 18004 } 18005 18006 if (Func->isDefaulted() && !Func->isDeleted()) { 18007 DefaultedComparisonKind DCK = getDefaultedComparisonKind(Func); 18008 if (DCK != DefaultedComparisonKind::None) 18009 DefineDefaultedComparison(Loc, Func, DCK); 18010 } 18011 18012 // Implicit instantiation of function templates and member functions of 18013 // class templates. 18014 if (Func->isImplicitlyInstantiable()) { 18015 TemplateSpecializationKind TSK = 18016 Func->getTemplateSpecializationKindForInstantiation(); 18017 SourceLocation PointOfInstantiation = Func->getPointOfInstantiation(); 18018 bool FirstInstantiation = PointOfInstantiation.isInvalid(); 18019 if (FirstInstantiation) { 18020 PointOfInstantiation = Loc; 18021 if (auto *MSI = Func->getMemberSpecializationInfo()) 18022 MSI->setPointOfInstantiation(Loc); 18023 // FIXME: Notify listener. 18024 else 18025 Func->setTemplateSpecializationKind(TSK, PointOfInstantiation); 18026 } else if (TSK != TSK_ImplicitInstantiation) { 18027 // Use the point of use as the point of instantiation, instead of the 18028 // point of explicit instantiation (which we track as the actual point 18029 // of instantiation). This gives better backtraces in diagnostics. 18030 PointOfInstantiation = Loc; 18031 } 18032 18033 if (FirstInstantiation || TSK != TSK_ImplicitInstantiation || 18034 Func->isConstexpr()) { 18035 if (isa<CXXRecordDecl>(Func->getDeclContext()) && 18036 cast<CXXRecordDecl>(Func->getDeclContext())->isLocalClass() && 18037 CodeSynthesisContexts.size()) 18038 PendingLocalImplicitInstantiations.push_back( 18039 std::make_pair(Func, PointOfInstantiation)); 18040 else if (Func->isConstexpr()) 18041 // Do not defer instantiations of constexpr functions, to avoid the 18042 // expression evaluator needing to call back into Sema if it sees a 18043 // call to such a function. 18044 InstantiateFunctionDefinition(PointOfInstantiation, Func); 18045 else { 18046 Func->setInstantiationIsPending(true); 18047 PendingInstantiations.push_back( 18048 std::make_pair(Func, PointOfInstantiation)); 18049 // Notify the consumer that a function was implicitly instantiated. 18050 Consumer.HandleCXXImplicitFunctionInstantiation(Func); 18051 } 18052 } 18053 } else { 18054 // Walk redefinitions, as some of them may be instantiable. 18055 for (auto i : Func->redecls()) { 18056 if (!i->isUsed(false) && i->isImplicitlyInstantiable()) 18057 MarkFunctionReferenced(Loc, i, MightBeOdrUse); 18058 } 18059 } 18060 }); 18061 } 18062 18063 // C++14 [except.spec]p17: 18064 // An exception-specification is considered to be needed when: 18065 // - the function is odr-used or, if it appears in an unevaluated operand, 18066 // would be odr-used if the expression were potentially-evaluated; 18067 // 18068 // Note, we do this even if MightBeOdrUse is false. That indicates that the 18069 // function is a pure virtual function we're calling, and in that case the 18070 // function was selected by overload resolution and we need to resolve its 18071 // exception specification for a different reason. 18072 const FunctionProtoType *FPT = Func->getType()->getAs<FunctionProtoType>(); 18073 if (FPT && isUnresolvedExceptionSpec(FPT->getExceptionSpecType())) 18074 ResolveExceptionSpec(Loc, FPT); 18075 18076 // If this is the first "real" use, act on that. 18077 if (OdrUse == OdrUseContext::Used && !Func->isUsed(/*CheckUsedAttr=*/false)) { 18078 // Keep track of used but undefined functions. 18079 if (!Func->isDefined()) { 18080 if (mightHaveNonExternalLinkage(Func)) 18081 UndefinedButUsed.insert(std::make_pair(Func->getCanonicalDecl(), Loc)); 18082 else if (Func->getMostRecentDecl()->isInlined() && 18083 !LangOpts.GNUInline && 18084 !Func->getMostRecentDecl()->hasAttr<GNUInlineAttr>()) 18085 UndefinedButUsed.insert(std::make_pair(Func->getCanonicalDecl(), Loc)); 18086 else if (isExternalWithNoLinkageType(Func)) 18087 UndefinedButUsed.insert(std::make_pair(Func->getCanonicalDecl(), Loc)); 18088 } 18089 18090 // Some x86 Windows calling conventions mangle the size of the parameter 18091 // pack into the name. Computing the size of the parameters requires the 18092 // parameter types to be complete. Check that now. 18093 if (funcHasParameterSizeMangling(*this, Func)) 18094 CheckCompleteParameterTypesForMangler(*this, Func, Loc); 18095 18096 // In the MS C++ ABI, the compiler emits destructor variants where they are 18097 // used. If the destructor is used here but defined elsewhere, mark the 18098 // virtual base destructors referenced. If those virtual base destructors 18099 // are inline, this will ensure they are defined when emitting the complete 18100 // destructor variant. This checking may be redundant if the destructor is 18101 // provided later in this TU. 18102 if (Context.getTargetInfo().getCXXABI().isMicrosoft()) { 18103 if (auto *Dtor = dyn_cast<CXXDestructorDecl>(Func)) { 18104 CXXRecordDecl *Parent = Dtor->getParent(); 18105 if (Parent->getNumVBases() > 0 && !Dtor->getBody()) 18106 CheckCompleteDestructorVariant(Loc, Dtor); 18107 } 18108 } 18109 18110 Func->markUsed(Context); 18111 } 18112 } 18113 18114 /// Directly mark a variable odr-used. Given a choice, prefer to use 18115 /// MarkVariableReferenced since it does additional checks and then 18116 /// calls MarkVarDeclODRUsed. 18117 /// If the variable must be captured: 18118 /// - if FunctionScopeIndexToStopAt is null, capture it in the CurContext 18119 /// - else capture it in the DeclContext that maps to the 18120 /// *FunctionScopeIndexToStopAt on the FunctionScopeInfo stack. 18121 static void 18122 MarkVarDeclODRUsed(VarDecl *Var, SourceLocation Loc, Sema &SemaRef, 18123 const unsigned *const FunctionScopeIndexToStopAt = nullptr) { 18124 // Keep track of used but undefined variables. 18125 // FIXME: We shouldn't suppress this warning for static data members. 18126 if (Var->hasDefinition(SemaRef.Context) == VarDecl::DeclarationOnly && 18127 (!Var->isExternallyVisible() || Var->isInline() || 18128 SemaRef.isExternalWithNoLinkageType(Var)) && 18129 !(Var->isStaticDataMember() && Var->hasInit())) { 18130 SourceLocation &old = SemaRef.UndefinedButUsed[Var->getCanonicalDecl()]; 18131 if (old.isInvalid()) 18132 old = Loc; 18133 } 18134 QualType CaptureType, DeclRefType; 18135 if (SemaRef.LangOpts.OpenMP) 18136 SemaRef.tryCaptureOpenMPLambdas(Var); 18137 SemaRef.tryCaptureVariable(Var, Loc, Sema::TryCapture_Implicit, 18138 /*EllipsisLoc*/ SourceLocation(), 18139 /*BuildAndDiagnose*/ true, 18140 CaptureType, DeclRefType, 18141 FunctionScopeIndexToStopAt); 18142 18143 if (SemaRef.LangOpts.CUDA && Var->hasGlobalStorage()) { 18144 auto *FD = dyn_cast_or_null<FunctionDecl>(SemaRef.CurContext); 18145 auto VarTarget = SemaRef.IdentifyCUDATarget(Var); 18146 auto UserTarget = SemaRef.IdentifyCUDATarget(FD); 18147 if (VarTarget == Sema::CVT_Host && 18148 (UserTarget == Sema::CFT_Device || UserTarget == Sema::CFT_HostDevice || 18149 UserTarget == Sema::CFT_Global)) { 18150 // Diagnose ODR-use of host global variables in device functions. 18151 // Reference of device global variables in host functions is allowed 18152 // through shadow variables therefore it is not diagnosed. 18153 if (SemaRef.LangOpts.CUDAIsDevice) { 18154 SemaRef.targetDiag(Loc, diag::err_ref_bad_target) 18155 << /*host*/ 2 << /*variable*/ 1 << Var << UserTarget; 18156 SemaRef.targetDiag(Var->getLocation(), 18157 Var->getType().isConstQualified() 18158 ? diag::note_cuda_const_var_unpromoted 18159 : diag::note_cuda_host_var); 18160 } 18161 } else if (VarTarget == Sema::CVT_Device && 18162 (UserTarget == Sema::CFT_Host || 18163 UserTarget == Sema::CFT_HostDevice)) { 18164 // Record a CUDA/HIP device side variable if it is ODR-used 18165 // by host code. This is done conservatively, when the variable is 18166 // referenced in any of the following contexts: 18167 // - a non-function context 18168 // - a host function 18169 // - a host device function 18170 // This makes the ODR-use of the device side variable by host code to 18171 // be visible in the device compilation for the compiler to be able to 18172 // emit template variables instantiated by host code only and to 18173 // externalize the static device side variable ODR-used by host code. 18174 if (!Var->hasExternalStorage()) 18175 SemaRef.getASTContext().CUDADeviceVarODRUsedByHost.insert(Var); 18176 else if (SemaRef.LangOpts.GPURelocatableDeviceCode) 18177 SemaRef.getASTContext().CUDAExternalDeviceDeclODRUsedByHost.insert(Var); 18178 } 18179 } 18180 18181 Var->markUsed(SemaRef.Context); 18182 } 18183 18184 void Sema::MarkCaptureUsedInEnclosingContext(VarDecl *Capture, 18185 SourceLocation Loc, 18186 unsigned CapturingScopeIndex) { 18187 MarkVarDeclODRUsed(Capture, Loc, *this, &CapturingScopeIndex); 18188 } 18189 18190 static void diagnoseUncapturableValueReference(Sema &S, SourceLocation loc, 18191 ValueDecl *var) { 18192 DeclContext *VarDC = var->getDeclContext(); 18193 18194 // If the parameter still belongs to the translation unit, then 18195 // we're actually just using one parameter in the declaration of 18196 // the next. 18197 if (isa<ParmVarDecl>(var) && 18198 isa<TranslationUnitDecl>(VarDC)) 18199 return; 18200 18201 // For C code, don't diagnose about capture if we're not actually in code 18202 // right now; it's impossible to write a non-constant expression outside of 18203 // function context, so we'll get other (more useful) diagnostics later. 18204 // 18205 // For C++, things get a bit more nasty... it would be nice to suppress this 18206 // diagnostic for certain cases like using a local variable in an array bound 18207 // for a member of a local class, but the correct predicate is not obvious. 18208 if (!S.getLangOpts().CPlusPlus && !S.CurContext->isFunctionOrMethod()) 18209 return; 18210 18211 unsigned ValueKind = isa<BindingDecl>(var) ? 1 : 0; 18212 unsigned ContextKind = 3; // unknown 18213 if (isa<CXXMethodDecl>(VarDC) && 18214 cast<CXXRecordDecl>(VarDC->getParent())->isLambda()) { 18215 ContextKind = 2; 18216 } else if (isa<FunctionDecl>(VarDC)) { 18217 ContextKind = 0; 18218 } else if (isa<BlockDecl>(VarDC)) { 18219 ContextKind = 1; 18220 } 18221 18222 S.Diag(loc, diag::err_reference_to_local_in_enclosing_context) 18223 << var << ValueKind << ContextKind << VarDC; 18224 S.Diag(var->getLocation(), diag::note_entity_declared_at) 18225 << var; 18226 18227 // FIXME: Add additional diagnostic info about class etc. which prevents 18228 // capture. 18229 } 18230 18231 18232 static bool isVariableAlreadyCapturedInScopeInfo(CapturingScopeInfo *CSI, VarDecl *Var, 18233 bool &SubCapturesAreNested, 18234 QualType &CaptureType, 18235 QualType &DeclRefType) { 18236 // Check whether we've already captured it. 18237 if (CSI->CaptureMap.count(Var)) { 18238 // If we found a capture, any subcaptures are nested. 18239 SubCapturesAreNested = true; 18240 18241 // Retrieve the capture type for this variable. 18242 CaptureType = CSI->getCapture(Var).getCaptureType(); 18243 18244 // Compute the type of an expression that refers to this variable. 18245 DeclRefType = CaptureType.getNonReferenceType(); 18246 18247 // Similarly to mutable captures in lambda, all the OpenMP captures by copy 18248 // are mutable in the sense that user can change their value - they are 18249 // private instances of the captured declarations. 18250 const Capture &Cap = CSI->getCapture(Var); 18251 if (Cap.isCopyCapture() && 18252 !(isa<LambdaScopeInfo>(CSI) && cast<LambdaScopeInfo>(CSI)->Mutable) && 18253 !(isa<CapturedRegionScopeInfo>(CSI) && 18254 cast<CapturedRegionScopeInfo>(CSI)->CapRegionKind == CR_OpenMP)) 18255 DeclRefType.addConst(); 18256 return true; 18257 } 18258 return false; 18259 } 18260 18261 // Only block literals, captured statements, and lambda expressions can 18262 // capture; other scopes don't work. 18263 static DeclContext *getParentOfCapturingContextOrNull(DeclContext *DC, VarDecl *Var, 18264 SourceLocation Loc, 18265 const bool Diagnose, Sema &S) { 18266 if (isa<BlockDecl>(DC) || isa<CapturedDecl>(DC) || isLambdaCallOperator(DC)) 18267 return getLambdaAwareParentOfDeclContext(DC); 18268 else if (Var->hasLocalStorage()) { 18269 if (Diagnose) 18270 diagnoseUncapturableValueReference(S, Loc, Var); 18271 } 18272 return nullptr; 18273 } 18274 18275 // Certain capturing entities (lambdas, blocks etc.) are not allowed to capture 18276 // certain types of variables (unnamed, variably modified types etc.) 18277 // so check for eligibility. 18278 static bool isVariableCapturable(CapturingScopeInfo *CSI, VarDecl *Var, 18279 SourceLocation Loc, 18280 const bool Diagnose, Sema &S) { 18281 18282 bool IsBlock = isa<BlockScopeInfo>(CSI); 18283 bool IsLambda = isa<LambdaScopeInfo>(CSI); 18284 18285 // Lambdas are not allowed to capture unnamed variables 18286 // (e.g. anonymous unions). 18287 // FIXME: The C++11 rule don't actually state this explicitly, but I'm 18288 // assuming that's the intent. 18289 if (IsLambda && !Var->getDeclName()) { 18290 if (Diagnose) { 18291 S.Diag(Loc, diag::err_lambda_capture_anonymous_var); 18292 S.Diag(Var->getLocation(), diag::note_declared_at); 18293 } 18294 return false; 18295 } 18296 18297 // Prohibit variably-modified types in blocks; they're difficult to deal with. 18298 if (Var->getType()->isVariablyModifiedType() && IsBlock) { 18299 if (Diagnose) { 18300 S.Diag(Loc, diag::err_ref_vm_type); 18301 S.Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18302 } 18303 return false; 18304 } 18305 // Prohibit structs with flexible array members too. 18306 // We cannot capture what is in the tail end of the struct. 18307 if (const RecordType *VTTy = Var->getType()->getAs<RecordType>()) { 18308 if (VTTy->getDecl()->hasFlexibleArrayMember()) { 18309 if (Diagnose) { 18310 if (IsBlock) 18311 S.Diag(Loc, diag::err_ref_flexarray_type); 18312 else 18313 S.Diag(Loc, diag::err_lambda_capture_flexarray_type) << Var; 18314 S.Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18315 } 18316 return false; 18317 } 18318 } 18319 const bool HasBlocksAttr = Var->hasAttr<BlocksAttr>(); 18320 // Lambdas and captured statements are not allowed to capture __block 18321 // variables; they don't support the expected semantics. 18322 if (HasBlocksAttr && (IsLambda || isa<CapturedRegionScopeInfo>(CSI))) { 18323 if (Diagnose) { 18324 S.Diag(Loc, diag::err_capture_block_variable) << Var << !IsLambda; 18325 S.Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18326 } 18327 return false; 18328 } 18329 // OpenCL v2.0 s6.12.5: Blocks cannot reference/capture other blocks 18330 if (S.getLangOpts().OpenCL && IsBlock && 18331 Var->getType()->isBlockPointerType()) { 18332 if (Diagnose) 18333 S.Diag(Loc, diag::err_opencl_block_ref_block); 18334 return false; 18335 } 18336 18337 return true; 18338 } 18339 18340 // Returns true if the capture by block was successful. 18341 static bool captureInBlock(BlockScopeInfo *BSI, VarDecl *Var, 18342 SourceLocation Loc, 18343 const bool BuildAndDiagnose, 18344 QualType &CaptureType, 18345 QualType &DeclRefType, 18346 const bool Nested, 18347 Sema &S, bool Invalid) { 18348 bool ByRef = false; 18349 18350 // Blocks are not allowed to capture arrays, excepting OpenCL. 18351 // OpenCL v2.0 s1.12.5 (revision 40): arrays are captured by reference 18352 // (decayed to pointers). 18353 if (!Invalid && !S.getLangOpts().OpenCL && CaptureType->isArrayType()) { 18354 if (BuildAndDiagnose) { 18355 S.Diag(Loc, diag::err_ref_array_type); 18356 S.Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18357 Invalid = true; 18358 } else { 18359 return false; 18360 } 18361 } 18362 18363 // Forbid the block-capture of autoreleasing variables. 18364 if (!Invalid && 18365 CaptureType.getObjCLifetime() == Qualifiers::OCL_Autoreleasing) { 18366 if (BuildAndDiagnose) { 18367 S.Diag(Loc, diag::err_arc_autoreleasing_capture) 18368 << /*block*/ 0; 18369 S.Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18370 Invalid = true; 18371 } else { 18372 return false; 18373 } 18374 } 18375 18376 // Warn about implicitly autoreleasing indirect parameters captured by blocks. 18377 if (const auto *PT = CaptureType->getAs<PointerType>()) { 18378 QualType PointeeTy = PT->getPointeeType(); 18379 18380 if (!Invalid && PointeeTy->getAs<ObjCObjectPointerType>() && 18381 PointeeTy.getObjCLifetime() == Qualifiers::OCL_Autoreleasing && 18382 !S.Context.hasDirectOwnershipQualifier(PointeeTy)) { 18383 if (BuildAndDiagnose) { 18384 SourceLocation VarLoc = Var->getLocation(); 18385 S.Diag(Loc, diag::warn_block_capture_autoreleasing); 18386 S.Diag(VarLoc, diag::note_declare_parameter_strong); 18387 } 18388 } 18389 } 18390 18391 const bool HasBlocksAttr = Var->hasAttr<BlocksAttr>(); 18392 if (HasBlocksAttr || CaptureType->isReferenceType() || 18393 (S.getLangOpts().OpenMP && S.isOpenMPCapturedDecl(Var))) { 18394 // Block capture by reference does not change the capture or 18395 // declaration reference types. 18396 ByRef = true; 18397 } else { 18398 // Block capture by copy introduces 'const'. 18399 CaptureType = CaptureType.getNonReferenceType().withConst(); 18400 DeclRefType = CaptureType; 18401 } 18402 18403 // Actually capture the variable. 18404 if (BuildAndDiagnose) 18405 BSI->addCapture(Var, HasBlocksAttr, ByRef, Nested, Loc, SourceLocation(), 18406 CaptureType, Invalid); 18407 18408 return !Invalid; 18409 } 18410 18411 18412 /// Capture the given variable in the captured region. 18413 static bool captureInCapturedRegion( 18414 CapturedRegionScopeInfo *RSI, VarDecl *Var, SourceLocation Loc, 18415 const bool BuildAndDiagnose, QualType &CaptureType, QualType &DeclRefType, 18416 const bool RefersToCapturedVariable, Sema::TryCaptureKind Kind, 18417 bool IsTopScope, Sema &S, bool Invalid) { 18418 // By default, capture variables by reference. 18419 bool ByRef = true; 18420 if (IsTopScope && Kind != Sema::TryCapture_Implicit) { 18421 ByRef = (Kind == Sema::TryCapture_ExplicitByRef); 18422 } else if (S.getLangOpts().OpenMP && RSI->CapRegionKind == CR_OpenMP) { 18423 // Using an LValue reference type is consistent with Lambdas (see below). 18424 if (S.isOpenMPCapturedDecl(Var)) { 18425 bool HasConst = DeclRefType.isConstQualified(); 18426 DeclRefType = DeclRefType.getUnqualifiedType(); 18427 // Don't lose diagnostics about assignments to const. 18428 if (HasConst) 18429 DeclRefType.addConst(); 18430 } 18431 // Do not capture firstprivates in tasks. 18432 if (S.isOpenMPPrivateDecl(Var, RSI->OpenMPLevel, RSI->OpenMPCaptureLevel) != 18433 OMPC_unknown) 18434 return true; 18435 ByRef = S.isOpenMPCapturedByRef(Var, RSI->OpenMPLevel, 18436 RSI->OpenMPCaptureLevel); 18437 } 18438 18439 if (ByRef) 18440 CaptureType = S.Context.getLValueReferenceType(DeclRefType); 18441 else 18442 CaptureType = DeclRefType; 18443 18444 // Actually capture the variable. 18445 if (BuildAndDiagnose) 18446 RSI->addCapture(Var, /*isBlock*/ false, ByRef, RefersToCapturedVariable, 18447 Loc, SourceLocation(), CaptureType, Invalid); 18448 18449 return !Invalid; 18450 } 18451 18452 /// Capture the given variable in the lambda. 18453 static bool captureInLambda(LambdaScopeInfo *LSI, 18454 VarDecl *Var, 18455 SourceLocation Loc, 18456 const bool BuildAndDiagnose, 18457 QualType &CaptureType, 18458 QualType &DeclRefType, 18459 const bool RefersToCapturedVariable, 18460 const Sema::TryCaptureKind Kind, 18461 SourceLocation EllipsisLoc, 18462 const bool IsTopScope, 18463 Sema &S, bool Invalid) { 18464 // Determine whether we are capturing by reference or by value. 18465 bool ByRef = false; 18466 if (IsTopScope && Kind != Sema::TryCapture_Implicit) { 18467 ByRef = (Kind == Sema::TryCapture_ExplicitByRef); 18468 } else { 18469 ByRef = (LSI->ImpCaptureStyle == LambdaScopeInfo::ImpCap_LambdaByref); 18470 } 18471 18472 // Compute the type of the field that will capture this variable. 18473 if (ByRef) { 18474 // C++11 [expr.prim.lambda]p15: 18475 // An entity is captured by reference if it is implicitly or 18476 // explicitly captured but not captured by copy. It is 18477 // unspecified whether additional unnamed non-static data 18478 // members are declared in the closure type for entities 18479 // captured by reference. 18480 // 18481 // FIXME: It is not clear whether we want to build an lvalue reference 18482 // to the DeclRefType or to CaptureType.getNonReferenceType(). GCC appears 18483 // to do the former, while EDG does the latter. Core issue 1249 will 18484 // clarify, but for now we follow GCC because it's a more permissive and 18485 // easily defensible position. 18486 CaptureType = S.Context.getLValueReferenceType(DeclRefType); 18487 } else { 18488 // C++11 [expr.prim.lambda]p14: 18489 // For each entity captured by copy, an unnamed non-static 18490 // data member is declared in the closure type. The 18491 // declaration order of these members is unspecified. The type 18492 // of such a data member is the type of the corresponding 18493 // captured entity if the entity is not a reference to an 18494 // object, or the referenced type otherwise. [Note: If the 18495 // captured entity is a reference to a function, the 18496 // corresponding data member is also a reference to a 18497 // function. - end note ] 18498 if (const ReferenceType *RefType = CaptureType->getAs<ReferenceType>()){ 18499 if (!RefType->getPointeeType()->isFunctionType()) 18500 CaptureType = RefType->getPointeeType(); 18501 } 18502 18503 // Forbid the lambda copy-capture of autoreleasing variables. 18504 if (!Invalid && 18505 CaptureType.getObjCLifetime() == Qualifiers::OCL_Autoreleasing) { 18506 if (BuildAndDiagnose) { 18507 S.Diag(Loc, diag::err_arc_autoreleasing_capture) << /*lambda*/ 1; 18508 S.Diag(Var->getLocation(), diag::note_previous_decl) 18509 << Var->getDeclName(); 18510 Invalid = true; 18511 } else { 18512 return false; 18513 } 18514 } 18515 18516 // Make sure that by-copy captures are of a complete and non-abstract type. 18517 if (!Invalid && BuildAndDiagnose) { 18518 if (!CaptureType->isDependentType() && 18519 S.RequireCompleteSizedType( 18520 Loc, CaptureType, 18521 diag::err_capture_of_incomplete_or_sizeless_type, 18522 Var->getDeclName())) 18523 Invalid = true; 18524 else if (S.RequireNonAbstractType(Loc, CaptureType, 18525 diag::err_capture_of_abstract_type)) 18526 Invalid = true; 18527 } 18528 } 18529 18530 // Compute the type of a reference to this captured variable. 18531 if (ByRef) 18532 DeclRefType = CaptureType.getNonReferenceType(); 18533 else { 18534 // C++ [expr.prim.lambda]p5: 18535 // The closure type for a lambda-expression has a public inline 18536 // function call operator [...]. This function call operator is 18537 // declared const (9.3.1) if and only if the lambda-expression's 18538 // parameter-declaration-clause is not followed by mutable. 18539 DeclRefType = CaptureType.getNonReferenceType(); 18540 if (!LSI->Mutable && !CaptureType->isReferenceType()) 18541 DeclRefType.addConst(); 18542 } 18543 18544 // Add the capture. 18545 if (BuildAndDiagnose) 18546 LSI->addCapture(Var, /*isBlock=*/false, ByRef, RefersToCapturedVariable, 18547 Loc, EllipsisLoc, CaptureType, Invalid); 18548 18549 return !Invalid; 18550 } 18551 18552 static bool canCaptureVariableByCopy(VarDecl *Var, const ASTContext &Context) { 18553 // Offer a Copy fix even if the type is dependent. 18554 if (Var->getType()->isDependentType()) 18555 return true; 18556 QualType T = Var->getType().getNonReferenceType(); 18557 if (T.isTriviallyCopyableType(Context)) 18558 return true; 18559 if (CXXRecordDecl *RD = T->getAsCXXRecordDecl()) { 18560 18561 if (!(RD = RD->getDefinition())) 18562 return false; 18563 if (RD->hasSimpleCopyConstructor()) 18564 return true; 18565 if (RD->hasUserDeclaredCopyConstructor()) 18566 for (CXXConstructorDecl *Ctor : RD->ctors()) 18567 if (Ctor->isCopyConstructor()) 18568 return !Ctor->isDeleted(); 18569 } 18570 return false; 18571 } 18572 18573 /// Create up to 4 fix-its for explicit reference and value capture of \p Var or 18574 /// default capture. Fixes may be omitted if they aren't allowed by the 18575 /// standard, for example we can't emit a default copy capture fix-it if we 18576 /// already explicitly copy capture capture another variable. 18577 static void buildLambdaCaptureFixit(Sema &Sema, LambdaScopeInfo *LSI, 18578 VarDecl *Var) { 18579 assert(LSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_None); 18580 // Don't offer Capture by copy of default capture by copy fixes if Var is 18581 // known not to be copy constructible. 18582 bool ShouldOfferCopyFix = canCaptureVariableByCopy(Var, Sema.getASTContext()); 18583 18584 SmallString<32> FixBuffer; 18585 StringRef Separator = LSI->NumExplicitCaptures > 0 ? ", " : ""; 18586 if (Var->getDeclName().isIdentifier() && !Var->getName().empty()) { 18587 SourceLocation VarInsertLoc = LSI->IntroducerRange.getEnd(); 18588 if (ShouldOfferCopyFix) { 18589 // Offer fixes to insert an explicit capture for the variable. 18590 // [] -> [VarName] 18591 // [OtherCapture] -> [OtherCapture, VarName] 18592 FixBuffer.assign({Separator, Var->getName()}); 18593 Sema.Diag(VarInsertLoc, diag::note_lambda_variable_capture_fixit) 18594 << Var << /*value*/ 0 18595 << FixItHint::CreateInsertion(VarInsertLoc, FixBuffer); 18596 } 18597 // As above but capture by reference. 18598 FixBuffer.assign({Separator, "&", Var->getName()}); 18599 Sema.Diag(VarInsertLoc, diag::note_lambda_variable_capture_fixit) 18600 << Var << /*reference*/ 1 18601 << FixItHint::CreateInsertion(VarInsertLoc, FixBuffer); 18602 } 18603 18604 // Only try to offer default capture if there are no captures excluding this 18605 // and init captures. 18606 // [this]: OK. 18607 // [X = Y]: OK. 18608 // [&A, &B]: Don't offer. 18609 // [A, B]: Don't offer. 18610 if (llvm::any_of(LSI->Captures, [](Capture &C) { 18611 return !C.isThisCapture() && !C.isInitCapture(); 18612 })) 18613 return; 18614 18615 // The default capture specifiers, '=' or '&', must appear first in the 18616 // capture body. 18617 SourceLocation DefaultInsertLoc = 18618 LSI->IntroducerRange.getBegin().getLocWithOffset(1); 18619 18620 if (ShouldOfferCopyFix) { 18621 bool CanDefaultCopyCapture = true; 18622 // [=, *this] OK since c++17 18623 // [=, this] OK since c++20 18624 if (LSI->isCXXThisCaptured() && !Sema.getLangOpts().CPlusPlus20) 18625 CanDefaultCopyCapture = Sema.getLangOpts().CPlusPlus17 18626 ? LSI->getCXXThisCapture().isCopyCapture() 18627 : false; 18628 // We can't use default capture by copy if any captures already specified 18629 // capture by copy. 18630 if (CanDefaultCopyCapture && llvm::none_of(LSI->Captures, [](Capture &C) { 18631 return !C.isThisCapture() && !C.isInitCapture() && C.isCopyCapture(); 18632 })) { 18633 FixBuffer.assign({"=", Separator}); 18634 Sema.Diag(DefaultInsertLoc, diag::note_lambda_default_capture_fixit) 18635 << /*value*/ 0 18636 << FixItHint::CreateInsertion(DefaultInsertLoc, FixBuffer); 18637 } 18638 } 18639 18640 // We can't use default capture by reference if any captures already specified 18641 // capture by reference. 18642 if (llvm::none_of(LSI->Captures, [](Capture &C) { 18643 return !C.isInitCapture() && C.isReferenceCapture() && 18644 !C.isThisCapture(); 18645 })) { 18646 FixBuffer.assign({"&", Separator}); 18647 Sema.Diag(DefaultInsertLoc, diag::note_lambda_default_capture_fixit) 18648 << /*reference*/ 1 18649 << FixItHint::CreateInsertion(DefaultInsertLoc, FixBuffer); 18650 } 18651 } 18652 18653 bool Sema::tryCaptureVariable( 18654 VarDecl *Var, SourceLocation ExprLoc, TryCaptureKind Kind, 18655 SourceLocation EllipsisLoc, bool BuildAndDiagnose, QualType &CaptureType, 18656 QualType &DeclRefType, const unsigned *const FunctionScopeIndexToStopAt) { 18657 // An init-capture is notionally from the context surrounding its 18658 // declaration, but its parent DC is the lambda class. 18659 DeclContext *VarDC = Var->getDeclContext(); 18660 if (Var->isInitCapture()) 18661 VarDC = VarDC->getParent(); 18662 18663 DeclContext *DC = CurContext; 18664 const unsigned MaxFunctionScopesIndex = FunctionScopeIndexToStopAt 18665 ? *FunctionScopeIndexToStopAt : FunctionScopes.size() - 1; 18666 // We need to sync up the Declaration Context with the 18667 // FunctionScopeIndexToStopAt 18668 if (FunctionScopeIndexToStopAt) { 18669 unsigned FSIndex = FunctionScopes.size() - 1; 18670 while (FSIndex != MaxFunctionScopesIndex) { 18671 DC = getLambdaAwareParentOfDeclContext(DC); 18672 --FSIndex; 18673 } 18674 } 18675 18676 18677 // If the variable is declared in the current context, there is no need to 18678 // capture it. 18679 if (VarDC == DC) return true; 18680 18681 // Capture global variables if it is required to use private copy of this 18682 // variable. 18683 bool IsGlobal = !Var->hasLocalStorage(); 18684 if (IsGlobal && 18685 !(LangOpts.OpenMP && isOpenMPCapturedDecl(Var, /*CheckScopeInfo=*/true, 18686 MaxFunctionScopesIndex))) 18687 return true; 18688 Var = Var->getCanonicalDecl(); 18689 18690 // Walk up the stack to determine whether we can capture the variable, 18691 // performing the "simple" checks that don't depend on type. We stop when 18692 // we've either hit the declared scope of the variable or find an existing 18693 // capture of that variable. We start from the innermost capturing-entity 18694 // (the DC) and ensure that all intervening capturing-entities 18695 // (blocks/lambdas etc.) between the innermost capturer and the variable`s 18696 // declcontext can either capture the variable or have already captured 18697 // the variable. 18698 CaptureType = Var->getType(); 18699 DeclRefType = CaptureType.getNonReferenceType(); 18700 bool Nested = false; 18701 bool Explicit = (Kind != TryCapture_Implicit); 18702 unsigned FunctionScopesIndex = MaxFunctionScopesIndex; 18703 do { 18704 // Only block literals, captured statements, and lambda expressions can 18705 // capture; other scopes don't work. 18706 DeclContext *ParentDC = getParentOfCapturingContextOrNull(DC, Var, 18707 ExprLoc, 18708 BuildAndDiagnose, 18709 *this); 18710 // We need to check for the parent *first* because, if we *have* 18711 // private-captured a global variable, we need to recursively capture it in 18712 // intermediate blocks, lambdas, etc. 18713 if (!ParentDC) { 18714 if (IsGlobal) { 18715 FunctionScopesIndex = MaxFunctionScopesIndex - 1; 18716 break; 18717 } 18718 return true; 18719 } 18720 18721 FunctionScopeInfo *FSI = FunctionScopes[FunctionScopesIndex]; 18722 CapturingScopeInfo *CSI = cast<CapturingScopeInfo>(FSI); 18723 18724 18725 // Check whether we've already captured it. 18726 if (isVariableAlreadyCapturedInScopeInfo(CSI, Var, Nested, CaptureType, 18727 DeclRefType)) { 18728 CSI->getCapture(Var).markUsed(BuildAndDiagnose); 18729 break; 18730 } 18731 // If we are instantiating a generic lambda call operator body, 18732 // we do not want to capture new variables. What was captured 18733 // during either a lambdas transformation or initial parsing 18734 // should be used. 18735 if (isGenericLambdaCallOperatorSpecialization(DC)) { 18736 if (BuildAndDiagnose) { 18737 LambdaScopeInfo *LSI = cast<LambdaScopeInfo>(CSI); 18738 if (LSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_None) { 18739 Diag(ExprLoc, diag::err_lambda_impcap) << Var; 18740 Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18741 Diag(LSI->Lambda->getBeginLoc(), diag::note_lambda_decl); 18742 buildLambdaCaptureFixit(*this, LSI, Var); 18743 } else 18744 diagnoseUncapturableValueReference(*this, ExprLoc, Var); 18745 } 18746 return true; 18747 } 18748 18749 // Try to capture variable-length arrays types. 18750 if (Var->getType()->isVariablyModifiedType()) { 18751 // We're going to walk down into the type and look for VLA 18752 // expressions. 18753 QualType QTy = Var->getType(); 18754 if (ParmVarDecl *PVD = dyn_cast_or_null<ParmVarDecl>(Var)) 18755 QTy = PVD->getOriginalType(); 18756 captureVariablyModifiedType(Context, QTy, CSI); 18757 } 18758 18759 if (getLangOpts().OpenMP) { 18760 if (auto *RSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) { 18761 // OpenMP private variables should not be captured in outer scope, so 18762 // just break here. Similarly, global variables that are captured in a 18763 // target region should not be captured outside the scope of the region. 18764 if (RSI->CapRegionKind == CR_OpenMP) { 18765 OpenMPClauseKind IsOpenMPPrivateDecl = isOpenMPPrivateDecl( 18766 Var, RSI->OpenMPLevel, RSI->OpenMPCaptureLevel); 18767 // If the variable is private (i.e. not captured) and has variably 18768 // modified type, we still need to capture the type for correct 18769 // codegen in all regions, associated with the construct. Currently, 18770 // it is captured in the innermost captured region only. 18771 if (IsOpenMPPrivateDecl != OMPC_unknown && 18772 Var->getType()->isVariablyModifiedType()) { 18773 QualType QTy = Var->getType(); 18774 if (ParmVarDecl *PVD = dyn_cast_or_null<ParmVarDecl>(Var)) 18775 QTy = PVD->getOriginalType(); 18776 for (int I = 1, E = getNumberOfConstructScopes(RSI->OpenMPLevel); 18777 I < E; ++I) { 18778 auto *OuterRSI = cast<CapturedRegionScopeInfo>( 18779 FunctionScopes[FunctionScopesIndex - I]); 18780 assert(RSI->OpenMPLevel == OuterRSI->OpenMPLevel && 18781 "Wrong number of captured regions associated with the " 18782 "OpenMP construct."); 18783 captureVariablyModifiedType(Context, QTy, OuterRSI); 18784 } 18785 } 18786 bool IsTargetCap = 18787 IsOpenMPPrivateDecl != OMPC_private && 18788 isOpenMPTargetCapturedDecl(Var, RSI->OpenMPLevel, 18789 RSI->OpenMPCaptureLevel); 18790 // Do not capture global if it is not privatized in outer regions. 18791 bool IsGlobalCap = 18792 IsGlobal && isOpenMPGlobalCapturedDecl(Var, RSI->OpenMPLevel, 18793 RSI->OpenMPCaptureLevel); 18794 18795 // When we detect target captures we are looking from inside the 18796 // target region, therefore we need to propagate the capture from the 18797 // enclosing region. Therefore, the capture is not initially nested. 18798 if (IsTargetCap) 18799 adjustOpenMPTargetScopeIndex(FunctionScopesIndex, RSI->OpenMPLevel); 18800 18801 if (IsTargetCap || IsOpenMPPrivateDecl == OMPC_private || 18802 (IsGlobal && !IsGlobalCap)) { 18803 Nested = !IsTargetCap; 18804 bool HasConst = DeclRefType.isConstQualified(); 18805 DeclRefType = DeclRefType.getUnqualifiedType(); 18806 // Don't lose diagnostics about assignments to const. 18807 if (HasConst) 18808 DeclRefType.addConst(); 18809 CaptureType = Context.getLValueReferenceType(DeclRefType); 18810 break; 18811 } 18812 } 18813 } 18814 } 18815 if (CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_None && !Explicit) { 18816 // No capture-default, and this is not an explicit capture 18817 // so cannot capture this variable. 18818 if (BuildAndDiagnose) { 18819 Diag(ExprLoc, diag::err_lambda_impcap) << Var; 18820 Diag(Var->getLocation(), diag::note_previous_decl) << Var; 18821 auto *LSI = cast<LambdaScopeInfo>(CSI); 18822 if (LSI->Lambda) { 18823 Diag(LSI->Lambda->getBeginLoc(), diag::note_lambda_decl); 18824 buildLambdaCaptureFixit(*this, LSI, Var); 18825 } 18826 // FIXME: If we error out because an outer lambda can not implicitly 18827 // capture a variable that an inner lambda explicitly captures, we 18828 // should have the inner lambda do the explicit capture - because 18829 // it makes for cleaner diagnostics later. This would purely be done 18830 // so that the diagnostic does not misleadingly claim that a variable 18831 // can not be captured by a lambda implicitly even though it is captured 18832 // explicitly. Suggestion: 18833 // - create const bool VariableCaptureWasInitiallyExplicit = Explicit 18834 // at the function head 18835 // - cache the StartingDeclContext - this must be a lambda 18836 // - captureInLambda in the innermost lambda the variable. 18837 } 18838 return true; 18839 } 18840 18841 FunctionScopesIndex--; 18842 DC = ParentDC; 18843 Explicit = false; 18844 } while (!VarDC->Equals(DC)); 18845 18846 // Walk back down the scope stack, (e.g. from outer lambda to inner lambda) 18847 // computing the type of the capture at each step, checking type-specific 18848 // requirements, and adding captures if requested. 18849 // If the variable had already been captured previously, we start capturing 18850 // at the lambda nested within that one. 18851 bool Invalid = false; 18852 for (unsigned I = ++FunctionScopesIndex, N = MaxFunctionScopesIndex + 1; I != N; 18853 ++I) { 18854 CapturingScopeInfo *CSI = cast<CapturingScopeInfo>(FunctionScopes[I]); 18855 18856 // Certain capturing entities (lambdas, blocks etc.) are not allowed to capture 18857 // certain types of variables (unnamed, variably modified types etc.) 18858 // so check for eligibility. 18859 if (!Invalid) 18860 Invalid = 18861 !isVariableCapturable(CSI, Var, ExprLoc, BuildAndDiagnose, *this); 18862 18863 // After encountering an error, if we're actually supposed to capture, keep 18864 // capturing in nested contexts to suppress any follow-on diagnostics. 18865 if (Invalid && !BuildAndDiagnose) 18866 return true; 18867 18868 if (BlockScopeInfo *BSI = dyn_cast<BlockScopeInfo>(CSI)) { 18869 Invalid = !captureInBlock(BSI, Var, ExprLoc, BuildAndDiagnose, CaptureType, 18870 DeclRefType, Nested, *this, Invalid); 18871 Nested = true; 18872 } else if (CapturedRegionScopeInfo *RSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) { 18873 Invalid = !captureInCapturedRegion( 18874 RSI, Var, ExprLoc, BuildAndDiagnose, CaptureType, DeclRefType, Nested, 18875 Kind, /*IsTopScope*/ I == N - 1, *this, Invalid); 18876 Nested = true; 18877 } else { 18878 LambdaScopeInfo *LSI = cast<LambdaScopeInfo>(CSI); 18879 Invalid = 18880 !captureInLambda(LSI, Var, ExprLoc, BuildAndDiagnose, CaptureType, 18881 DeclRefType, Nested, Kind, EllipsisLoc, 18882 /*IsTopScope*/ I == N - 1, *this, Invalid); 18883 Nested = true; 18884 } 18885 18886 if (Invalid && !BuildAndDiagnose) 18887 return true; 18888 } 18889 return Invalid; 18890 } 18891 18892 bool Sema::tryCaptureVariable(VarDecl *Var, SourceLocation Loc, 18893 TryCaptureKind Kind, SourceLocation EllipsisLoc) { 18894 QualType CaptureType; 18895 QualType DeclRefType; 18896 return tryCaptureVariable(Var, Loc, Kind, EllipsisLoc, 18897 /*BuildAndDiagnose=*/true, CaptureType, 18898 DeclRefType, nullptr); 18899 } 18900 18901 bool Sema::NeedToCaptureVariable(VarDecl *Var, SourceLocation Loc) { 18902 QualType CaptureType; 18903 QualType DeclRefType; 18904 return !tryCaptureVariable(Var, Loc, TryCapture_Implicit, SourceLocation(), 18905 /*BuildAndDiagnose=*/false, CaptureType, 18906 DeclRefType, nullptr); 18907 } 18908 18909 QualType Sema::getCapturedDeclRefType(VarDecl *Var, SourceLocation Loc) { 18910 QualType CaptureType; 18911 QualType DeclRefType; 18912 18913 // Determine whether we can capture this variable. 18914 if (tryCaptureVariable(Var, Loc, TryCapture_Implicit, SourceLocation(), 18915 /*BuildAndDiagnose=*/false, CaptureType, 18916 DeclRefType, nullptr)) 18917 return QualType(); 18918 18919 return DeclRefType; 18920 } 18921 18922 namespace { 18923 // Helper to copy the template arguments from a DeclRefExpr or MemberExpr. 18924 // The produced TemplateArgumentListInfo* points to data stored within this 18925 // object, so should only be used in contexts where the pointer will not be 18926 // used after the CopiedTemplateArgs object is destroyed. 18927 class CopiedTemplateArgs { 18928 bool HasArgs; 18929 TemplateArgumentListInfo TemplateArgStorage; 18930 public: 18931 template<typename RefExpr> 18932 CopiedTemplateArgs(RefExpr *E) : HasArgs(E->hasExplicitTemplateArgs()) { 18933 if (HasArgs) 18934 E->copyTemplateArgumentsInto(TemplateArgStorage); 18935 } 18936 operator TemplateArgumentListInfo*() 18937 #ifdef __has_cpp_attribute 18938 #if __has_cpp_attribute(clang::lifetimebound) 18939 [[clang::lifetimebound]] 18940 #endif 18941 #endif 18942 { 18943 return HasArgs ? &TemplateArgStorage : nullptr; 18944 } 18945 }; 18946 } 18947 18948 /// Walk the set of potential results of an expression and mark them all as 18949 /// non-odr-uses if they satisfy the side-conditions of the NonOdrUseReason. 18950 /// 18951 /// \return A new expression if we found any potential results, ExprEmpty() if 18952 /// not, and ExprError() if we diagnosed an error. 18953 static ExprResult rebuildPotentialResultsAsNonOdrUsed(Sema &S, Expr *E, 18954 NonOdrUseReason NOUR) { 18955 // Per C++11 [basic.def.odr], a variable is odr-used "unless it is 18956 // an object that satisfies the requirements for appearing in a 18957 // constant expression (5.19) and the lvalue-to-rvalue conversion (4.1) 18958 // is immediately applied." This function handles the lvalue-to-rvalue 18959 // conversion part. 18960 // 18961 // If we encounter a node that claims to be an odr-use but shouldn't be, we 18962 // transform it into the relevant kind of non-odr-use node and rebuild the 18963 // tree of nodes leading to it. 18964 // 18965 // This is a mini-TreeTransform that only transforms a restricted subset of 18966 // nodes (and only certain operands of them). 18967 18968 // Rebuild a subexpression. 18969 auto Rebuild = [&](Expr *Sub) { 18970 return rebuildPotentialResultsAsNonOdrUsed(S, Sub, NOUR); 18971 }; 18972 18973 // Check whether a potential result satisfies the requirements of NOUR. 18974 auto IsPotentialResultOdrUsed = [&](NamedDecl *D) { 18975 // Any entity other than a VarDecl is always odr-used whenever it's named 18976 // in a potentially-evaluated expression. 18977 auto *VD = dyn_cast<VarDecl>(D); 18978 if (!VD) 18979 return true; 18980 18981 // C++2a [basic.def.odr]p4: 18982 // A variable x whose name appears as a potentially-evalauted expression 18983 // e is odr-used by e unless 18984 // -- x is a reference that is usable in constant expressions, or 18985 // -- x is a variable of non-reference type that is usable in constant 18986 // expressions and has no mutable subobjects, and e is an element of 18987 // the set of potential results of an expression of 18988 // non-volatile-qualified non-class type to which the lvalue-to-rvalue 18989 // conversion is applied, or 18990 // -- x is a variable of non-reference type, and e is an element of the 18991 // set of potential results of a discarded-value expression to which 18992 // the lvalue-to-rvalue conversion is not applied 18993 // 18994 // We check the first bullet and the "potentially-evaluated" condition in 18995 // BuildDeclRefExpr. We check the type requirements in the second bullet 18996 // in CheckLValueToRValueConversionOperand below. 18997 switch (NOUR) { 18998 case NOUR_None: 18999 case NOUR_Unevaluated: 19000 llvm_unreachable("unexpected non-odr-use-reason"); 19001 19002 case NOUR_Constant: 19003 // Constant references were handled when they were built. 19004 if (VD->getType()->isReferenceType()) 19005 return true; 19006 if (auto *RD = VD->getType()->getAsCXXRecordDecl()) 19007 if (RD->hasMutableFields()) 19008 return true; 19009 if (!VD->isUsableInConstantExpressions(S.Context)) 19010 return true; 19011 break; 19012 19013 case NOUR_Discarded: 19014 if (VD->getType()->isReferenceType()) 19015 return true; 19016 break; 19017 } 19018 return false; 19019 }; 19020 19021 // Mark that this expression does not constitute an odr-use. 19022 auto MarkNotOdrUsed = [&] { 19023 S.MaybeODRUseExprs.remove(E); 19024 if (LambdaScopeInfo *LSI = S.getCurLambda()) 19025 LSI->markVariableExprAsNonODRUsed(E); 19026 }; 19027 19028 // C++2a [basic.def.odr]p2: 19029 // The set of potential results of an expression e is defined as follows: 19030 switch (E->getStmtClass()) { 19031 // -- If e is an id-expression, ... 19032 case Expr::DeclRefExprClass: { 19033 auto *DRE = cast<DeclRefExpr>(E); 19034 if (DRE->isNonOdrUse() || IsPotentialResultOdrUsed(DRE->getDecl())) 19035 break; 19036 19037 // Rebuild as a non-odr-use DeclRefExpr. 19038 MarkNotOdrUsed(); 19039 return DeclRefExpr::Create( 19040 S.Context, DRE->getQualifierLoc(), DRE->getTemplateKeywordLoc(), 19041 DRE->getDecl(), DRE->refersToEnclosingVariableOrCapture(), 19042 DRE->getNameInfo(), DRE->getType(), DRE->getValueKind(), 19043 DRE->getFoundDecl(), CopiedTemplateArgs(DRE), NOUR); 19044 } 19045 19046 case Expr::FunctionParmPackExprClass: { 19047 auto *FPPE = cast<FunctionParmPackExpr>(E); 19048 // If any of the declarations in the pack is odr-used, then the expression 19049 // as a whole constitutes an odr-use. 19050 for (VarDecl *D : *FPPE) 19051 if (IsPotentialResultOdrUsed(D)) 19052 return ExprEmpty(); 19053 19054 // FIXME: Rebuild as a non-odr-use FunctionParmPackExpr? In practice, 19055 // nothing cares about whether we marked this as an odr-use, but it might 19056 // be useful for non-compiler tools. 19057 MarkNotOdrUsed(); 19058 break; 19059 } 19060 19061 // -- If e is a subscripting operation with an array operand... 19062 case Expr::ArraySubscriptExprClass: { 19063 auto *ASE = cast<ArraySubscriptExpr>(E); 19064 Expr *OldBase = ASE->getBase()->IgnoreImplicit(); 19065 if (!OldBase->getType()->isArrayType()) 19066 break; 19067 ExprResult Base = Rebuild(OldBase); 19068 if (!Base.isUsable()) 19069 return Base; 19070 Expr *LHS = ASE->getBase() == ASE->getLHS() ? Base.get() : ASE->getLHS(); 19071 Expr *RHS = ASE->getBase() == ASE->getRHS() ? Base.get() : ASE->getRHS(); 19072 SourceLocation LBracketLoc = ASE->getBeginLoc(); // FIXME: Not stored. 19073 return S.ActOnArraySubscriptExpr(nullptr, LHS, LBracketLoc, RHS, 19074 ASE->getRBracketLoc()); 19075 } 19076 19077 case Expr::MemberExprClass: { 19078 auto *ME = cast<MemberExpr>(E); 19079 // -- If e is a class member access expression [...] naming a non-static 19080 // data member... 19081 if (isa<FieldDecl>(ME->getMemberDecl())) { 19082 ExprResult Base = Rebuild(ME->getBase()); 19083 if (!Base.isUsable()) 19084 return Base; 19085 return MemberExpr::Create( 19086 S.Context, Base.get(), ME->isArrow(), ME->getOperatorLoc(), 19087 ME->getQualifierLoc(), ME->getTemplateKeywordLoc(), 19088 ME->getMemberDecl(), ME->getFoundDecl(), ME->getMemberNameInfo(), 19089 CopiedTemplateArgs(ME), ME->getType(), ME->getValueKind(), 19090 ME->getObjectKind(), ME->isNonOdrUse()); 19091 } 19092 19093 if (ME->getMemberDecl()->isCXXInstanceMember()) 19094 break; 19095 19096 // -- If e is a class member access expression naming a static data member, 19097 // ... 19098 if (ME->isNonOdrUse() || IsPotentialResultOdrUsed(ME->getMemberDecl())) 19099 break; 19100 19101 // Rebuild as a non-odr-use MemberExpr. 19102 MarkNotOdrUsed(); 19103 return MemberExpr::Create( 19104 S.Context, ME->getBase(), ME->isArrow(), ME->getOperatorLoc(), 19105 ME->getQualifierLoc(), ME->getTemplateKeywordLoc(), ME->getMemberDecl(), 19106 ME->getFoundDecl(), ME->getMemberNameInfo(), CopiedTemplateArgs(ME), 19107 ME->getType(), ME->getValueKind(), ME->getObjectKind(), NOUR); 19108 } 19109 19110 case Expr::BinaryOperatorClass: { 19111 auto *BO = cast<BinaryOperator>(E); 19112 Expr *LHS = BO->getLHS(); 19113 Expr *RHS = BO->getRHS(); 19114 // -- If e is a pointer-to-member expression of the form e1 .* e2 ... 19115 if (BO->getOpcode() == BO_PtrMemD) { 19116 ExprResult Sub = Rebuild(LHS); 19117 if (!Sub.isUsable()) 19118 return Sub; 19119 LHS = Sub.get(); 19120 // -- If e is a comma expression, ... 19121 } else if (BO->getOpcode() == BO_Comma) { 19122 ExprResult Sub = Rebuild(RHS); 19123 if (!Sub.isUsable()) 19124 return Sub; 19125 RHS = Sub.get(); 19126 } else { 19127 break; 19128 } 19129 return S.BuildBinOp(nullptr, BO->getOperatorLoc(), BO->getOpcode(), 19130 LHS, RHS); 19131 } 19132 19133 // -- If e has the form (e1)... 19134 case Expr::ParenExprClass: { 19135 auto *PE = cast<ParenExpr>(E); 19136 ExprResult Sub = Rebuild(PE->getSubExpr()); 19137 if (!Sub.isUsable()) 19138 return Sub; 19139 return S.ActOnParenExpr(PE->getLParen(), PE->getRParen(), Sub.get()); 19140 } 19141 19142 // -- If e is a glvalue conditional expression, ... 19143 // We don't apply this to a binary conditional operator. FIXME: Should we? 19144 case Expr::ConditionalOperatorClass: { 19145 auto *CO = cast<ConditionalOperator>(E); 19146 ExprResult LHS = Rebuild(CO->getLHS()); 19147 if (LHS.isInvalid()) 19148 return ExprError(); 19149 ExprResult RHS = Rebuild(CO->getRHS()); 19150 if (RHS.isInvalid()) 19151 return ExprError(); 19152 if (!LHS.isUsable() && !RHS.isUsable()) 19153 return ExprEmpty(); 19154 if (!LHS.isUsable()) 19155 LHS = CO->getLHS(); 19156 if (!RHS.isUsable()) 19157 RHS = CO->getRHS(); 19158 return S.ActOnConditionalOp(CO->getQuestionLoc(), CO->getColonLoc(), 19159 CO->getCond(), LHS.get(), RHS.get()); 19160 } 19161 19162 // [Clang extension] 19163 // -- If e has the form __extension__ e1... 19164 case Expr::UnaryOperatorClass: { 19165 auto *UO = cast<UnaryOperator>(E); 19166 if (UO->getOpcode() != UO_Extension) 19167 break; 19168 ExprResult Sub = Rebuild(UO->getSubExpr()); 19169 if (!Sub.isUsable()) 19170 return Sub; 19171 return S.BuildUnaryOp(nullptr, UO->getOperatorLoc(), UO_Extension, 19172 Sub.get()); 19173 } 19174 19175 // [Clang extension] 19176 // -- If e has the form _Generic(...), the set of potential results is the 19177 // union of the sets of potential results of the associated expressions. 19178 case Expr::GenericSelectionExprClass: { 19179 auto *GSE = cast<GenericSelectionExpr>(E); 19180 19181 SmallVector<Expr *, 4> AssocExprs; 19182 bool AnyChanged = false; 19183 for (Expr *OrigAssocExpr : GSE->getAssocExprs()) { 19184 ExprResult AssocExpr = Rebuild(OrigAssocExpr); 19185 if (AssocExpr.isInvalid()) 19186 return ExprError(); 19187 if (AssocExpr.isUsable()) { 19188 AssocExprs.push_back(AssocExpr.get()); 19189 AnyChanged = true; 19190 } else { 19191 AssocExprs.push_back(OrigAssocExpr); 19192 } 19193 } 19194 19195 return AnyChanged ? S.CreateGenericSelectionExpr( 19196 GSE->getGenericLoc(), GSE->getDefaultLoc(), 19197 GSE->getRParenLoc(), GSE->getControllingExpr(), 19198 GSE->getAssocTypeSourceInfos(), AssocExprs) 19199 : ExprEmpty(); 19200 } 19201 19202 // [Clang extension] 19203 // -- If e has the form __builtin_choose_expr(...), the set of potential 19204 // results is the union of the sets of potential results of the 19205 // second and third subexpressions. 19206 case Expr::ChooseExprClass: { 19207 auto *CE = cast<ChooseExpr>(E); 19208 19209 ExprResult LHS = Rebuild(CE->getLHS()); 19210 if (LHS.isInvalid()) 19211 return ExprError(); 19212 19213 ExprResult RHS = Rebuild(CE->getLHS()); 19214 if (RHS.isInvalid()) 19215 return ExprError(); 19216 19217 if (!LHS.get() && !RHS.get()) 19218 return ExprEmpty(); 19219 if (!LHS.isUsable()) 19220 LHS = CE->getLHS(); 19221 if (!RHS.isUsable()) 19222 RHS = CE->getRHS(); 19223 19224 return S.ActOnChooseExpr(CE->getBuiltinLoc(), CE->getCond(), LHS.get(), 19225 RHS.get(), CE->getRParenLoc()); 19226 } 19227 19228 // Step through non-syntactic nodes. 19229 case Expr::ConstantExprClass: { 19230 auto *CE = cast<ConstantExpr>(E); 19231 ExprResult Sub = Rebuild(CE->getSubExpr()); 19232 if (!Sub.isUsable()) 19233 return Sub; 19234 return ConstantExpr::Create(S.Context, Sub.get()); 19235 } 19236 19237 // We could mostly rely on the recursive rebuilding to rebuild implicit 19238 // casts, but not at the top level, so rebuild them here. 19239 case Expr::ImplicitCastExprClass: { 19240 auto *ICE = cast<ImplicitCastExpr>(E); 19241 // Only step through the narrow set of cast kinds we expect to encounter. 19242 // Anything else suggests we've left the region in which potential results 19243 // can be found. 19244 switch (ICE->getCastKind()) { 19245 case CK_NoOp: 19246 case CK_DerivedToBase: 19247 case CK_UncheckedDerivedToBase: { 19248 ExprResult Sub = Rebuild(ICE->getSubExpr()); 19249 if (!Sub.isUsable()) 19250 return Sub; 19251 CXXCastPath Path(ICE->path()); 19252 return S.ImpCastExprToType(Sub.get(), ICE->getType(), ICE->getCastKind(), 19253 ICE->getValueKind(), &Path); 19254 } 19255 19256 default: 19257 break; 19258 } 19259 break; 19260 } 19261 19262 default: 19263 break; 19264 } 19265 19266 // Can't traverse through this node. Nothing to do. 19267 return ExprEmpty(); 19268 } 19269 19270 ExprResult Sema::CheckLValueToRValueConversionOperand(Expr *E) { 19271 // Check whether the operand is or contains an object of non-trivial C union 19272 // type. 19273 if (E->getType().isVolatileQualified() && 19274 (E->getType().hasNonTrivialToPrimitiveDestructCUnion() || 19275 E->getType().hasNonTrivialToPrimitiveCopyCUnion())) 19276 checkNonTrivialCUnion(E->getType(), E->getExprLoc(), 19277 Sema::NTCUC_LValueToRValueVolatile, 19278 NTCUK_Destruct|NTCUK_Copy); 19279 19280 // C++2a [basic.def.odr]p4: 19281 // [...] an expression of non-volatile-qualified non-class type to which 19282 // the lvalue-to-rvalue conversion is applied [...] 19283 if (E->getType().isVolatileQualified() || E->getType()->getAs<RecordType>()) 19284 return E; 19285 19286 ExprResult Result = 19287 rebuildPotentialResultsAsNonOdrUsed(*this, E, NOUR_Constant); 19288 if (Result.isInvalid()) 19289 return ExprError(); 19290 return Result.get() ? Result : E; 19291 } 19292 19293 ExprResult Sema::ActOnConstantExpression(ExprResult Res) { 19294 Res = CorrectDelayedTyposInExpr(Res); 19295 19296 if (!Res.isUsable()) 19297 return Res; 19298 19299 // If a constant-expression is a reference to a variable where we delay 19300 // deciding whether it is an odr-use, just assume we will apply the 19301 // lvalue-to-rvalue conversion. In the one case where this doesn't happen 19302 // (a non-type template argument), we have special handling anyway. 19303 return CheckLValueToRValueConversionOperand(Res.get()); 19304 } 19305 19306 void Sema::CleanupVarDeclMarking() { 19307 // Iterate through a local copy in case MarkVarDeclODRUsed makes a recursive 19308 // call. 19309 MaybeODRUseExprSet LocalMaybeODRUseExprs; 19310 std::swap(LocalMaybeODRUseExprs, MaybeODRUseExprs); 19311 19312 for (Expr *E : LocalMaybeODRUseExprs) { 19313 if (auto *DRE = dyn_cast<DeclRefExpr>(E)) { 19314 MarkVarDeclODRUsed(cast<VarDecl>(DRE->getDecl()), 19315 DRE->getLocation(), *this); 19316 } else if (auto *ME = dyn_cast<MemberExpr>(E)) { 19317 MarkVarDeclODRUsed(cast<VarDecl>(ME->getMemberDecl()), ME->getMemberLoc(), 19318 *this); 19319 } else if (auto *FP = dyn_cast<FunctionParmPackExpr>(E)) { 19320 for (VarDecl *VD : *FP) 19321 MarkVarDeclODRUsed(VD, FP->getParameterPackLocation(), *this); 19322 } else { 19323 llvm_unreachable("Unexpected expression"); 19324 } 19325 } 19326 19327 assert(MaybeODRUseExprs.empty() && 19328 "MarkVarDeclODRUsed failed to cleanup MaybeODRUseExprs?"); 19329 } 19330 19331 static void DoMarkVarDeclReferenced( 19332 Sema &SemaRef, SourceLocation Loc, VarDecl *Var, Expr *E, 19333 llvm::DenseMap<const VarDecl *, int> &RefsMinusAssignments) { 19334 assert((!E || isa<DeclRefExpr>(E) || isa<MemberExpr>(E) || 19335 isa<FunctionParmPackExpr>(E)) && 19336 "Invalid Expr argument to DoMarkVarDeclReferenced"); 19337 Var->setReferenced(); 19338 19339 if (Var->isInvalidDecl()) 19340 return; 19341 19342 auto *MSI = Var->getMemberSpecializationInfo(); 19343 TemplateSpecializationKind TSK = MSI ? MSI->getTemplateSpecializationKind() 19344 : Var->getTemplateSpecializationKind(); 19345 19346 OdrUseContext OdrUse = isOdrUseContext(SemaRef); 19347 bool UsableInConstantExpr = 19348 Var->mightBeUsableInConstantExpressions(SemaRef.Context); 19349 19350 if (Var->isLocalVarDeclOrParm() && !Var->hasExternalStorage()) { 19351 RefsMinusAssignments.insert({Var, 0}).first->getSecond()++; 19352 } 19353 19354 // C++20 [expr.const]p12: 19355 // A variable [...] is needed for constant evaluation if it is [...] a 19356 // variable whose name appears as a potentially constant evaluated 19357 // expression that is either a contexpr variable or is of non-volatile 19358 // const-qualified integral type or of reference type 19359 bool NeededForConstantEvaluation = 19360 isPotentiallyConstantEvaluatedContext(SemaRef) && UsableInConstantExpr; 19361 19362 bool NeedDefinition = 19363 OdrUse == OdrUseContext::Used || NeededForConstantEvaluation; 19364 19365 assert(!isa<VarTemplatePartialSpecializationDecl>(Var) && 19366 "Can't instantiate a partial template specialization."); 19367 19368 // If this might be a member specialization of a static data member, check 19369 // the specialization is visible. We already did the checks for variable 19370 // template specializations when we created them. 19371 if (NeedDefinition && TSK != TSK_Undeclared && 19372 !isa<VarTemplateSpecializationDecl>(Var)) 19373 SemaRef.checkSpecializationVisibility(Loc, Var); 19374 19375 // Perform implicit instantiation of static data members, static data member 19376 // templates of class templates, and variable template specializations. Delay 19377 // instantiations of variable templates, except for those that could be used 19378 // in a constant expression. 19379 if (NeedDefinition && isTemplateInstantiation(TSK)) { 19380 // Per C++17 [temp.explicit]p10, we may instantiate despite an explicit 19381 // instantiation declaration if a variable is usable in a constant 19382 // expression (among other cases). 19383 bool TryInstantiating = 19384 TSK == TSK_ImplicitInstantiation || 19385 (TSK == TSK_ExplicitInstantiationDeclaration && UsableInConstantExpr); 19386 19387 if (TryInstantiating) { 19388 SourceLocation PointOfInstantiation = 19389 MSI ? MSI->getPointOfInstantiation() : Var->getPointOfInstantiation(); 19390 bool FirstInstantiation = PointOfInstantiation.isInvalid(); 19391 if (FirstInstantiation) { 19392 PointOfInstantiation = Loc; 19393 if (MSI) 19394 MSI->setPointOfInstantiation(PointOfInstantiation); 19395 // FIXME: Notify listener. 19396 else 19397 Var->setTemplateSpecializationKind(TSK, PointOfInstantiation); 19398 } 19399 19400 if (UsableInConstantExpr) { 19401 // Do not defer instantiations of variables that could be used in a 19402 // constant expression. 19403 SemaRef.runWithSufficientStackSpace(PointOfInstantiation, [&] { 19404 SemaRef.InstantiateVariableDefinition(PointOfInstantiation, Var); 19405 }); 19406 19407 // Re-set the member to trigger a recomputation of the dependence bits 19408 // for the expression. 19409 if (auto *DRE = dyn_cast_or_null<DeclRefExpr>(E)) 19410 DRE->setDecl(DRE->getDecl()); 19411 else if (auto *ME = dyn_cast_or_null<MemberExpr>(E)) 19412 ME->setMemberDecl(ME->getMemberDecl()); 19413 } else if (FirstInstantiation || 19414 isa<VarTemplateSpecializationDecl>(Var)) { 19415 // FIXME: For a specialization of a variable template, we don't 19416 // distinguish between "declaration and type implicitly instantiated" 19417 // and "implicit instantiation of definition requested", so we have 19418 // no direct way to avoid enqueueing the pending instantiation 19419 // multiple times. 19420 SemaRef.PendingInstantiations 19421 .push_back(std::make_pair(Var, PointOfInstantiation)); 19422 } 19423 } 19424 } 19425 19426 // C++2a [basic.def.odr]p4: 19427 // A variable x whose name appears as a potentially-evaluated expression e 19428 // is odr-used by e unless 19429 // -- x is a reference that is usable in constant expressions 19430 // -- x is a variable of non-reference type that is usable in constant 19431 // expressions and has no mutable subobjects [FIXME], and e is an 19432 // element of the set of potential results of an expression of 19433 // non-volatile-qualified non-class type to which the lvalue-to-rvalue 19434 // conversion is applied 19435 // -- x is a variable of non-reference type, and e is an element of the set 19436 // of potential results of a discarded-value expression to which the 19437 // lvalue-to-rvalue conversion is not applied [FIXME] 19438 // 19439 // We check the first part of the second bullet here, and 19440 // Sema::CheckLValueToRValueConversionOperand deals with the second part. 19441 // FIXME: To get the third bullet right, we need to delay this even for 19442 // variables that are not usable in constant expressions. 19443 19444 // If we already know this isn't an odr-use, there's nothing more to do. 19445 if (DeclRefExpr *DRE = dyn_cast_or_null<DeclRefExpr>(E)) 19446 if (DRE->isNonOdrUse()) 19447 return; 19448 if (MemberExpr *ME = dyn_cast_or_null<MemberExpr>(E)) 19449 if (ME->isNonOdrUse()) 19450 return; 19451 19452 switch (OdrUse) { 19453 case OdrUseContext::None: 19454 assert((!E || isa<FunctionParmPackExpr>(E)) && 19455 "missing non-odr-use marking for unevaluated decl ref"); 19456 break; 19457 19458 case OdrUseContext::FormallyOdrUsed: 19459 // FIXME: Ignoring formal odr-uses results in incorrect lambda capture 19460 // behavior. 19461 break; 19462 19463 case OdrUseContext::Used: 19464 // If we might later find that this expression isn't actually an odr-use, 19465 // delay the marking. 19466 if (E && Var->isUsableInConstantExpressions(SemaRef.Context)) 19467 SemaRef.MaybeODRUseExprs.insert(E); 19468 else 19469 MarkVarDeclODRUsed(Var, Loc, SemaRef); 19470 break; 19471 19472 case OdrUseContext::Dependent: 19473 // If this is a dependent context, we don't need to mark variables as 19474 // odr-used, but we may still need to track them for lambda capture. 19475 // FIXME: Do we also need to do this inside dependent typeid expressions 19476 // (which are modeled as unevaluated at this point)? 19477 const bool RefersToEnclosingScope = 19478 (SemaRef.CurContext != Var->getDeclContext() && 19479 Var->getDeclContext()->isFunctionOrMethod() && Var->hasLocalStorage()); 19480 if (RefersToEnclosingScope) { 19481 LambdaScopeInfo *const LSI = 19482 SemaRef.getCurLambda(/*IgnoreNonLambdaCapturingScope=*/true); 19483 if (LSI && (!LSI->CallOperator || 19484 !LSI->CallOperator->Encloses(Var->getDeclContext()))) { 19485 // If a variable could potentially be odr-used, defer marking it so 19486 // until we finish analyzing the full expression for any 19487 // lvalue-to-rvalue 19488 // or discarded value conversions that would obviate odr-use. 19489 // Add it to the list of potential captures that will be analyzed 19490 // later (ActOnFinishFullExpr) for eventual capture and odr-use marking 19491 // unless the variable is a reference that was initialized by a constant 19492 // expression (this will never need to be captured or odr-used). 19493 // 19494 // FIXME: We can simplify this a lot after implementing P0588R1. 19495 assert(E && "Capture variable should be used in an expression."); 19496 if (!Var->getType()->isReferenceType() || 19497 !Var->isUsableInConstantExpressions(SemaRef.Context)) 19498 LSI->addPotentialCapture(E->IgnoreParens()); 19499 } 19500 } 19501 break; 19502 } 19503 } 19504 19505 /// Mark a variable referenced, and check whether it is odr-used 19506 /// (C++ [basic.def.odr]p2, C99 6.9p3). Note that this should not be 19507 /// used directly for normal expressions referring to VarDecl. 19508 void Sema::MarkVariableReferenced(SourceLocation Loc, VarDecl *Var) { 19509 DoMarkVarDeclReferenced(*this, Loc, Var, nullptr, RefsMinusAssignments); 19510 } 19511 19512 static void 19513 MarkExprReferenced(Sema &SemaRef, SourceLocation Loc, Decl *D, Expr *E, 19514 bool MightBeOdrUse, 19515 llvm::DenseMap<const VarDecl *, int> &RefsMinusAssignments) { 19516 if (SemaRef.isInOpenMPDeclareTargetContext()) 19517 SemaRef.checkDeclIsAllowedInOpenMPTarget(E, D); 19518 19519 if (VarDecl *Var = dyn_cast<VarDecl>(D)) { 19520 DoMarkVarDeclReferenced(SemaRef, Loc, Var, E, RefsMinusAssignments); 19521 return; 19522 } 19523 19524 SemaRef.MarkAnyDeclReferenced(Loc, D, MightBeOdrUse); 19525 19526 // If this is a call to a method via a cast, also mark the method in the 19527 // derived class used in case codegen can devirtualize the call. 19528 const MemberExpr *ME = dyn_cast<MemberExpr>(E); 19529 if (!ME) 19530 return; 19531 CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(ME->getMemberDecl()); 19532 if (!MD) 19533 return; 19534 // Only attempt to devirtualize if this is truly a virtual call. 19535 bool IsVirtualCall = MD->isVirtual() && 19536 ME->performsVirtualDispatch(SemaRef.getLangOpts()); 19537 if (!IsVirtualCall) 19538 return; 19539 19540 // If it's possible to devirtualize the call, mark the called function 19541 // referenced. 19542 CXXMethodDecl *DM = MD->getDevirtualizedMethod( 19543 ME->getBase(), SemaRef.getLangOpts().AppleKext); 19544 if (DM) 19545 SemaRef.MarkAnyDeclReferenced(Loc, DM, MightBeOdrUse); 19546 } 19547 19548 /// Perform reference-marking and odr-use handling for a DeclRefExpr. 19549 /// 19550 /// Note, this may change the dependence of the DeclRefExpr, and so needs to be 19551 /// handled with care if the DeclRefExpr is not newly-created. 19552 void Sema::MarkDeclRefReferenced(DeclRefExpr *E, const Expr *Base) { 19553 // TODO: update this with DR# once a defect report is filed. 19554 // C++11 defect. The address of a pure member should not be an ODR use, even 19555 // if it's a qualified reference. 19556 bool OdrUse = true; 19557 if (const CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(E->getDecl())) 19558 if (Method->isVirtual() && 19559 !Method->getDevirtualizedMethod(Base, getLangOpts().AppleKext)) 19560 OdrUse = false; 19561 19562 if (auto *FD = dyn_cast<FunctionDecl>(E->getDecl())) 19563 if (!isUnevaluatedContext() && !isConstantEvaluated() && 19564 FD->isConsteval() && !RebuildingImmediateInvocation) 19565 ExprEvalContexts.back().ReferenceToConsteval.insert(E); 19566 MarkExprReferenced(*this, E->getLocation(), E->getDecl(), E, OdrUse, 19567 RefsMinusAssignments); 19568 } 19569 19570 /// Perform reference-marking and odr-use handling for a MemberExpr. 19571 void Sema::MarkMemberReferenced(MemberExpr *E) { 19572 // C++11 [basic.def.odr]p2: 19573 // A non-overloaded function whose name appears as a potentially-evaluated 19574 // expression or a member of a set of candidate functions, if selected by 19575 // overload resolution when referred to from a potentially-evaluated 19576 // expression, is odr-used, unless it is a pure virtual function and its 19577 // name is not explicitly qualified. 19578 bool MightBeOdrUse = true; 19579 if (E->performsVirtualDispatch(getLangOpts())) { 19580 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(E->getMemberDecl())) 19581 if (Method->isPure()) 19582 MightBeOdrUse = false; 19583 } 19584 SourceLocation Loc = 19585 E->getMemberLoc().isValid() ? E->getMemberLoc() : E->getBeginLoc(); 19586 MarkExprReferenced(*this, Loc, E->getMemberDecl(), E, MightBeOdrUse, 19587 RefsMinusAssignments); 19588 } 19589 19590 /// Perform reference-marking and odr-use handling for a FunctionParmPackExpr. 19591 void Sema::MarkFunctionParmPackReferenced(FunctionParmPackExpr *E) { 19592 for (VarDecl *VD : *E) 19593 MarkExprReferenced(*this, E->getParameterPackLocation(), VD, E, true, 19594 RefsMinusAssignments); 19595 } 19596 19597 /// Perform marking for a reference to an arbitrary declaration. It 19598 /// marks the declaration referenced, and performs odr-use checking for 19599 /// functions and variables. This method should not be used when building a 19600 /// normal expression which refers to a variable. 19601 void Sema::MarkAnyDeclReferenced(SourceLocation Loc, Decl *D, 19602 bool MightBeOdrUse) { 19603 if (MightBeOdrUse) { 19604 if (auto *VD = dyn_cast<VarDecl>(D)) { 19605 MarkVariableReferenced(Loc, VD); 19606 return; 19607 } 19608 } 19609 if (auto *FD = dyn_cast<FunctionDecl>(D)) { 19610 MarkFunctionReferenced(Loc, FD, MightBeOdrUse); 19611 return; 19612 } 19613 D->setReferenced(); 19614 } 19615 19616 namespace { 19617 // Mark all of the declarations used by a type as referenced. 19618 // FIXME: Not fully implemented yet! We need to have a better understanding 19619 // of when we're entering a context we should not recurse into. 19620 // FIXME: This is and EvaluatedExprMarker are more-or-less equivalent to 19621 // TreeTransforms rebuilding the type in a new context. Rather than 19622 // duplicating the TreeTransform logic, we should consider reusing it here. 19623 // Currently that causes problems when rebuilding LambdaExprs. 19624 class MarkReferencedDecls : public RecursiveASTVisitor<MarkReferencedDecls> { 19625 Sema &S; 19626 SourceLocation Loc; 19627 19628 public: 19629 typedef RecursiveASTVisitor<MarkReferencedDecls> Inherited; 19630 19631 MarkReferencedDecls(Sema &S, SourceLocation Loc) : S(S), Loc(Loc) { } 19632 19633 bool TraverseTemplateArgument(const TemplateArgument &Arg); 19634 }; 19635 } 19636 19637 bool MarkReferencedDecls::TraverseTemplateArgument( 19638 const TemplateArgument &Arg) { 19639 { 19640 // A non-type template argument is a constant-evaluated context. 19641 EnterExpressionEvaluationContext Evaluated( 19642 S, Sema::ExpressionEvaluationContext::ConstantEvaluated); 19643 if (Arg.getKind() == TemplateArgument::Declaration) { 19644 if (Decl *D = Arg.getAsDecl()) 19645 S.MarkAnyDeclReferenced(Loc, D, true); 19646 } else if (Arg.getKind() == TemplateArgument::Expression) { 19647 S.MarkDeclarationsReferencedInExpr(Arg.getAsExpr(), false); 19648 } 19649 } 19650 19651 return Inherited::TraverseTemplateArgument(Arg); 19652 } 19653 19654 void Sema::MarkDeclarationsReferencedInType(SourceLocation Loc, QualType T) { 19655 MarkReferencedDecls Marker(*this, Loc); 19656 Marker.TraverseType(T); 19657 } 19658 19659 namespace { 19660 /// Helper class that marks all of the declarations referenced by 19661 /// potentially-evaluated subexpressions as "referenced". 19662 class EvaluatedExprMarker : public UsedDeclVisitor<EvaluatedExprMarker> { 19663 public: 19664 typedef UsedDeclVisitor<EvaluatedExprMarker> Inherited; 19665 bool SkipLocalVariables; 19666 ArrayRef<const Expr *> StopAt; 19667 19668 EvaluatedExprMarker(Sema &S, bool SkipLocalVariables, 19669 ArrayRef<const Expr *> StopAt) 19670 : Inherited(S), SkipLocalVariables(SkipLocalVariables), StopAt(StopAt) {} 19671 19672 void visitUsedDecl(SourceLocation Loc, Decl *D) { 19673 S.MarkFunctionReferenced(Loc, cast<FunctionDecl>(D)); 19674 } 19675 19676 void Visit(Expr *E) { 19677 if (llvm::is_contained(StopAt, E)) 19678 return; 19679 Inherited::Visit(E); 19680 } 19681 19682 void VisitConstantExpr(ConstantExpr *E) { 19683 // Don't mark declarations within a ConstantExpression, as this expression 19684 // will be evaluated and folded to a value. 19685 return; 19686 } 19687 19688 void VisitDeclRefExpr(DeclRefExpr *E) { 19689 // If we were asked not to visit local variables, don't. 19690 if (SkipLocalVariables) { 19691 if (VarDecl *VD = dyn_cast<VarDecl>(E->getDecl())) 19692 if (VD->hasLocalStorage()) 19693 return; 19694 } 19695 19696 // FIXME: This can trigger the instantiation of the initializer of a 19697 // variable, which can cause the expression to become value-dependent 19698 // or error-dependent. Do we need to propagate the new dependence bits? 19699 S.MarkDeclRefReferenced(E); 19700 } 19701 19702 void VisitMemberExpr(MemberExpr *E) { 19703 S.MarkMemberReferenced(E); 19704 Visit(E->getBase()); 19705 } 19706 }; 19707 } // namespace 19708 19709 /// Mark any declarations that appear within this expression or any 19710 /// potentially-evaluated subexpressions as "referenced". 19711 /// 19712 /// \param SkipLocalVariables If true, don't mark local variables as 19713 /// 'referenced'. 19714 /// \param StopAt Subexpressions that we shouldn't recurse into. 19715 void Sema::MarkDeclarationsReferencedInExpr(Expr *E, 19716 bool SkipLocalVariables, 19717 ArrayRef<const Expr*> StopAt) { 19718 EvaluatedExprMarker(*this, SkipLocalVariables, StopAt).Visit(E); 19719 } 19720 19721 /// Emit a diagnostic when statements are reachable. 19722 /// FIXME: check for reachability even in expressions for which we don't build a 19723 /// CFG (eg, in the initializer of a global or in a constant expression). 19724 /// For example, 19725 /// namespace { auto *p = new double[3][false ? (1, 2) : 3]; } 19726 bool Sema::DiagIfReachable(SourceLocation Loc, ArrayRef<const Stmt *> Stmts, 19727 const PartialDiagnostic &PD) { 19728 if (!Stmts.empty() && getCurFunctionOrMethodDecl()) { 19729 if (!FunctionScopes.empty()) 19730 FunctionScopes.back()->PossiblyUnreachableDiags.push_back( 19731 sema::PossiblyUnreachableDiag(PD, Loc, Stmts)); 19732 return true; 19733 } 19734 19735 // The initializer of a constexpr variable or of the first declaration of a 19736 // static data member is not syntactically a constant evaluated constant, 19737 // but nonetheless is always required to be a constant expression, so we 19738 // can skip diagnosing. 19739 // FIXME: Using the mangling context here is a hack. 19740 if (auto *VD = dyn_cast_or_null<VarDecl>( 19741 ExprEvalContexts.back().ManglingContextDecl)) { 19742 if (VD->isConstexpr() || 19743 (VD->isStaticDataMember() && VD->isFirstDecl() && !VD->isInline())) 19744 return false; 19745 // FIXME: For any other kind of variable, we should build a CFG for its 19746 // initializer and check whether the context in question is reachable. 19747 } 19748 19749 Diag(Loc, PD); 19750 return true; 19751 } 19752 19753 /// Emit a diagnostic that describes an effect on the run-time behavior 19754 /// of the program being compiled. 19755 /// 19756 /// This routine emits the given diagnostic when the code currently being 19757 /// type-checked is "potentially evaluated", meaning that there is a 19758 /// possibility that the code will actually be executable. Code in sizeof() 19759 /// expressions, code used only during overload resolution, etc., are not 19760 /// potentially evaluated. This routine will suppress such diagnostics or, 19761 /// in the absolutely nutty case of potentially potentially evaluated 19762 /// expressions (C++ typeid), queue the diagnostic to potentially emit it 19763 /// later. 19764 /// 19765 /// This routine should be used for all diagnostics that describe the run-time 19766 /// behavior of a program, such as passing a non-POD value through an ellipsis. 19767 /// Failure to do so will likely result in spurious diagnostics or failures 19768 /// during overload resolution or within sizeof/alignof/typeof/typeid. 19769 bool Sema::DiagRuntimeBehavior(SourceLocation Loc, ArrayRef<const Stmt*> Stmts, 19770 const PartialDiagnostic &PD) { 19771 19772 if (ExprEvalContexts.back().isDiscardedStatementContext()) 19773 return false; 19774 19775 switch (ExprEvalContexts.back().Context) { 19776 case ExpressionEvaluationContext::Unevaluated: 19777 case ExpressionEvaluationContext::UnevaluatedList: 19778 case ExpressionEvaluationContext::UnevaluatedAbstract: 19779 case ExpressionEvaluationContext::DiscardedStatement: 19780 // The argument will never be evaluated, so don't complain. 19781 break; 19782 19783 case ExpressionEvaluationContext::ConstantEvaluated: 19784 case ExpressionEvaluationContext::ImmediateFunctionContext: 19785 // Relevant diagnostics should be produced by constant evaluation. 19786 break; 19787 19788 case ExpressionEvaluationContext::PotentiallyEvaluated: 19789 case ExpressionEvaluationContext::PotentiallyEvaluatedIfUsed: 19790 return DiagIfReachable(Loc, Stmts, PD); 19791 } 19792 19793 return false; 19794 } 19795 19796 bool Sema::DiagRuntimeBehavior(SourceLocation Loc, const Stmt *Statement, 19797 const PartialDiagnostic &PD) { 19798 return DiagRuntimeBehavior( 19799 Loc, Statement ? llvm::makeArrayRef(Statement) : llvm::None, PD); 19800 } 19801 19802 bool Sema::CheckCallReturnType(QualType ReturnType, SourceLocation Loc, 19803 CallExpr *CE, FunctionDecl *FD) { 19804 if (ReturnType->isVoidType() || !ReturnType->isIncompleteType()) 19805 return false; 19806 19807 // If we're inside a decltype's expression, don't check for a valid return 19808 // type or construct temporaries until we know whether this is the last call. 19809 if (ExprEvalContexts.back().ExprContext == 19810 ExpressionEvaluationContextRecord::EK_Decltype) { 19811 ExprEvalContexts.back().DelayedDecltypeCalls.push_back(CE); 19812 return false; 19813 } 19814 19815 class CallReturnIncompleteDiagnoser : public TypeDiagnoser { 19816 FunctionDecl *FD; 19817 CallExpr *CE; 19818 19819 public: 19820 CallReturnIncompleteDiagnoser(FunctionDecl *FD, CallExpr *CE) 19821 : FD(FD), CE(CE) { } 19822 19823 void diagnose(Sema &S, SourceLocation Loc, QualType T) override { 19824 if (!FD) { 19825 S.Diag(Loc, diag::err_call_incomplete_return) 19826 << T << CE->getSourceRange(); 19827 return; 19828 } 19829 19830 S.Diag(Loc, diag::err_call_function_incomplete_return) 19831 << CE->getSourceRange() << FD << T; 19832 S.Diag(FD->getLocation(), diag::note_entity_declared_at) 19833 << FD->getDeclName(); 19834 } 19835 } Diagnoser(FD, CE); 19836 19837 if (RequireCompleteType(Loc, ReturnType, Diagnoser)) 19838 return true; 19839 19840 return false; 19841 } 19842 19843 // Diagnose the s/=/==/ and s/\|=/!=/ typos. Note that adding parentheses 19844 // will prevent this condition from triggering, which is what we want. 19845 void Sema::DiagnoseAssignmentAsCondition(Expr *E) { 19846 SourceLocation Loc; 19847 19848 unsigned diagnostic = diag::warn_condition_is_assignment; 19849 bool IsOrAssign = false; 19850 19851 if (BinaryOperator *Op = dyn_cast<BinaryOperator>(E)) { 19852 if (Op->getOpcode() != BO_Assign && Op->getOpcode() != BO_OrAssign) 19853 return; 19854 19855 IsOrAssign = Op->getOpcode() == BO_OrAssign; 19856 19857 // Greylist some idioms by putting them into a warning subcategory. 19858 if (ObjCMessageExpr *ME 19859 = dyn_cast<ObjCMessageExpr>(Op->getRHS()->IgnoreParenCasts())) { 19860 Selector Sel = ME->getSelector(); 19861 19862 // self = [<foo> init...] 19863 if (isSelfExpr(Op->getLHS()) && ME->getMethodFamily() == OMF_init) 19864 diagnostic = diag::warn_condition_is_idiomatic_assignment; 19865 19866 // <foo> = [<bar> nextObject] 19867 else if (Sel.isUnarySelector() && Sel.getNameForSlot(0) == "nextObject") 19868 diagnostic = diag::warn_condition_is_idiomatic_assignment; 19869 } 19870 19871 Loc = Op->getOperatorLoc(); 19872 } else if (CXXOperatorCallExpr *Op = dyn_cast<CXXOperatorCallExpr>(E)) { 19873 if (Op->getOperator() != OO_Equal && Op->getOperator() != OO_PipeEqual) 19874 return; 19875 19876 IsOrAssign = Op->getOperator() == OO_PipeEqual; 19877 Loc = Op->getOperatorLoc(); 19878 } else if (PseudoObjectExpr *POE = dyn_cast<PseudoObjectExpr>(E)) 19879 return DiagnoseAssignmentAsCondition(POE->getSyntacticForm()); 19880 else { 19881 // Not an assignment. 19882 return; 19883 } 19884 19885 Diag(Loc, diagnostic) << E->getSourceRange(); 19886 19887 SourceLocation Open = E->getBeginLoc(); 19888 SourceLocation Close = getLocForEndOfToken(E->getSourceRange().getEnd()); 19889 Diag(Loc, diag::note_condition_assign_silence) 19890 << FixItHint::CreateInsertion(Open, "(") 19891 << FixItHint::CreateInsertion(Close, ")"); 19892 19893 if (IsOrAssign) 19894 Diag(Loc, diag::note_condition_or_assign_to_comparison) 19895 << FixItHint::CreateReplacement(Loc, "!="); 19896 else 19897 Diag(Loc, diag::note_condition_assign_to_comparison) 19898 << FixItHint::CreateReplacement(Loc, "=="); 19899 } 19900 19901 /// Redundant parentheses over an equality comparison can indicate 19902 /// that the user intended an assignment used as condition. 19903 void Sema::DiagnoseEqualityWithExtraParens(ParenExpr *ParenE) { 19904 // Don't warn if the parens came from a macro. 19905 SourceLocation parenLoc = ParenE->getBeginLoc(); 19906 if (parenLoc.isInvalid() || parenLoc.isMacroID()) 19907 return; 19908 // Don't warn for dependent expressions. 19909 if (ParenE->isTypeDependent()) 19910 return; 19911 19912 Expr *E = ParenE->IgnoreParens(); 19913 19914 if (BinaryOperator *opE = dyn_cast<BinaryOperator>(E)) 19915 if (opE->getOpcode() == BO_EQ && 19916 opE->getLHS()->IgnoreParenImpCasts()->isModifiableLvalue(Context) 19917 == Expr::MLV_Valid) { 19918 SourceLocation Loc = opE->getOperatorLoc(); 19919 19920 Diag(Loc, diag::warn_equality_with_extra_parens) << E->getSourceRange(); 19921 SourceRange ParenERange = ParenE->getSourceRange(); 19922 Diag(Loc, diag::note_equality_comparison_silence) 19923 << FixItHint::CreateRemoval(ParenERange.getBegin()) 19924 << FixItHint::CreateRemoval(ParenERange.getEnd()); 19925 Diag(Loc, diag::note_equality_comparison_to_assign) 19926 << FixItHint::CreateReplacement(Loc, "="); 19927 } 19928 } 19929 19930 ExprResult Sema::CheckBooleanCondition(SourceLocation Loc, Expr *E, 19931 bool IsConstexpr) { 19932 DiagnoseAssignmentAsCondition(E); 19933 if (ParenExpr *parenE = dyn_cast<ParenExpr>(E)) 19934 DiagnoseEqualityWithExtraParens(parenE); 19935 19936 ExprResult result = CheckPlaceholderExpr(E); 19937 if (result.isInvalid()) return ExprError(); 19938 E = result.get(); 19939 19940 if (!E->isTypeDependent()) { 19941 if (getLangOpts().CPlusPlus) 19942 return CheckCXXBooleanCondition(E, IsConstexpr); // C++ 6.4p4 19943 19944 ExprResult ERes = DefaultFunctionArrayLvalueConversion(E); 19945 if (ERes.isInvalid()) 19946 return ExprError(); 19947 E = ERes.get(); 19948 19949 QualType T = E->getType(); 19950 if (!T->isScalarType()) { // C99 6.8.4.1p1 19951 Diag(Loc, diag::err_typecheck_statement_requires_scalar) 19952 << T << E->getSourceRange(); 19953 return ExprError(); 19954 } 19955 CheckBoolLikeConversion(E, Loc); 19956 } 19957 19958 return E; 19959 } 19960 19961 Sema::ConditionResult Sema::ActOnCondition(Scope *S, SourceLocation Loc, 19962 Expr *SubExpr, ConditionKind CK, 19963 bool MissingOK) { 19964 // MissingOK indicates whether having no condition expression is valid 19965 // (for loop) or invalid (e.g. while loop). 19966 if (!SubExpr) 19967 return MissingOK ? ConditionResult() : ConditionError(); 19968 19969 ExprResult Cond; 19970 switch (CK) { 19971 case ConditionKind::Boolean: 19972 Cond = CheckBooleanCondition(Loc, SubExpr); 19973 break; 19974 19975 case ConditionKind::ConstexprIf: 19976 Cond = CheckBooleanCondition(Loc, SubExpr, true); 19977 break; 19978 19979 case ConditionKind::Switch: 19980 Cond = CheckSwitchCondition(Loc, SubExpr); 19981 break; 19982 } 19983 if (Cond.isInvalid()) { 19984 Cond = CreateRecoveryExpr(SubExpr->getBeginLoc(), SubExpr->getEndLoc(), 19985 {SubExpr}, PreferredConditionType(CK)); 19986 if (!Cond.get()) 19987 return ConditionError(); 19988 } 19989 // FIXME: FullExprArg doesn't have an invalid bit, so check nullness instead. 19990 FullExprArg FullExpr = MakeFullExpr(Cond.get(), Loc); 19991 if (!FullExpr.get()) 19992 return ConditionError(); 19993 19994 return ConditionResult(*this, nullptr, FullExpr, 19995 CK == ConditionKind::ConstexprIf); 19996 } 19997 19998 namespace { 19999 /// A visitor for rebuilding a call to an __unknown_any expression 20000 /// to have an appropriate type. 20001 struct RebuildUnknownAnyFunction 20002 : StmtVisitor<RebuildUnknownAnyFunction, ExprResult> { 20003 20004 Sema &S; 20005 20006 RebuildUnknownAnyFunction(Sema &S) : S(S) {} 20007 20008 ExprResult VisitStmt(Stmt *S) { 20009 llvm_unreachable("unexpected statement!"); 20010 } 20011 20012 ExprResult VisitExpr(Expr *E) { 20013 S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_call) 20014 << E->getSourceRange(); 20015 return ExprError(); 20016 } 20017 20018 /// Rebuild an expression which simply semantically wraps another 20019 /// expression which it shares the type and value kind of. 20020 template <class T> ExprResult rebuildSugarExpr(T *E) { 20021 ExprResult SubResult = Visit(E->getSubExpr()); 20022 if (SubResult.isInvalid()) return ExprError(); 20023 20024 Expr *SubExpr = SubResult.get(); 20025 E->setSubExpr(SubExpr); 20026 E->setType(SubExpr->getType()); 20027 E->setValueKind(SubExpr->getValueKind()); 20028 assert(E->getObjectKind() == OK_Ordinary); 20029 return E; 20030 } 20031 20032 ExprResult VisitParenExpr(ParenExpr *E) { 20033 return rebuildSugarExpr(E); 20034 } 20035 20036 ExprResult VisitUnaryExtension(UnaryOperator *E) { 20037 return rebuildSugarExpr(E); 20038 } 20039 20040 ExprResult VisitUnaryAddrOf(UnaryOperator *E) { 20041 ExprResult SubResult = Visit(E->getSubExpr()); 20042 if (SubResult.isInvalid()) return ExprError(); 20043 20044 Expr *SubExpr = SubResult.get(); 20045 E->setSubExpr(SubExpr); 20046 E->setType(S.Context.getPointerType(SubExpr->getType())); 20047 assert(E->isPRValue()); 20048 assert(E->getObjectKind() == OK_Ordinary); 20049 return E; 20050 } 20051 20052 ExprResult resolveDecl(Expr *E, ValueDecl *VD) { 20053 if (!isa<FunctionDecl>(VD)) return VisitExpr(E); 20054 20055 E->setType(VD->getType()); 20056 20057 assert(E->isPRValue()); 20058 if (S.getLangOpts().CPlusPlus && 20059 !(isa<CXXMethodDecl>(VD) && 20060 cast<CXXMethodDecl>(VD)->isInstance())) 20061 E->setValueKind(VK_LValue); 20062 20063 return E; 20064 } 20065 20066 ExprResult VisitMemberExpr(MemberExpr *E) { 20067 return resolveDecl(E, E->getMemberDecl()); 20068 } 20069 20070 ExprResult VisitDeclRefExpr(DeclRefExpr *E) { 20071 return resolveDecl(E, E->getDecl()); 20072 } 20073 }; 20074 } 20075 20076 /// Given a function expression of unknown-any type, try to rebuild it 20077 /// to have a function type. 20078 static ExprResult rebuildUnknownAnyFunction(Sema &S, Expr *FunctionExpr) { 20079 ExprResult Result = RebuildUnknownAnyFunction(S).Visit(FunctionExpr); 20080 if (Result.isInvalid()) return ExprError(); 20081 return S.DefaultFunctionArrayConversion(Result.get()); 20082 } 20083 20084 namespace { 20085 /// A visitor for rebuilding an expression of type __unknown_anytype 20086 /// into one which resolves the type directly on the referring 20087 /// expression. Strict preservation of the original source 20088 /// structure is not a goal. 20089 struct RebuildUnknownAnyExpr 20090 : StmtVisitor<RebuildUnknownAnyExpr, ExprResult> { 20091 20092 Sema &S; 20093 20094 /// The current destination type. 20095 QualType DestType; 20096 20097 RebuildUnknownAnyExpr(Sema &S, QualType CastType) 20098 : S(S), DestType(CastType) {} 20099 20100 ExprResult VisitStmt(Stmt *S) { 20101 llvm_unreachable("unexpected statement!"); 20102 } 20103 20104 ExprResult VisitExpr(Expr *E) { 20105 S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_expr) 20106 << E->getSourceRange(); 20107 return ExprError(); 20108 } 20109 20110 ExprResult VisitCallExpr(CallExpr *E); 20111 ExprResult VisitObjCMessageExpr(ObjCMessageExpr *E); 20112 20113 /// Rebuild an expression which simply semantically wraps another 20114 /// expression which it shares the type and value kind of. 20115 template <class T> ExprResult rebuildSugarExpr(T *E) { 20116 ExprResult SubResult = Visit(E->getSubExpr()); 20117 if (SubResult.isInvalid()) return ExprError(); 20118 Expr *SubExpr = SubResult.get(); 20119 E->setSubExpr(SubExpr); 20120 E->setType(SubExpr->getType()); 20121 E->setValueKind(SubExpr->getValueKind()); 20122 assert(E->getObjectKind() == OK_Ordinary); 20123 return E; 20124 } 20125 20126 ExprResult VisitParenExpr(ParenExpr *E) { 20127 return rebuildSugarExpr(E); 20128 } 20129 20130 ExprResult VisitUnaryExtension(UnaryOperator *E) { 20131 return rebuildSugarExpr(E); 20132 } 20133 20134 ExprResult VisitUnaryAddrOf(UnaryOperator *E) { 20135 const PointerType *Ptr = DestType->getAs<PointerType>(); 20136 if (!Ptr) { 20137 S.Diag(E->getOperatorLoc(), diag::err_unknown_any_addrof) 20138 << E->getSourceRange(); 20139 return ExprError(); 20140 } 20141 20142 if (isa<CallExpr>(E->getSubExpr())) { 20143 S.Diag(E->getOperatorLoc(), diag::err_unknown_any_addrof_call) 20144 << E->getSourceRange(); 20145 return ExprError(); 20146 } 20147 20148 assert(E->isPRValue()); 20149 assert(E->getObjectKind() == OK_Ordinary); 20150 E->setType(DestType); 20151 20152 // Build the sub-expression as if it were an object of the pointee type. 20153 DestType = Ptr->getPointeeType(); 20154 ExprResult SubResult = Visit(E->getSubExpr()); 20155 if (SubResult.isInvalid()) return ExprError(); 20156 E->setSubExpr(SubResult.get()); 20157 return E; 20158 } 20159 20160 ExprResult VisitImplicitCastExpr(ImplicitCastExpr *E); 20161 20162 ExprResult resolveDecl(Expr *E, ValueDecl *VD); 20163 20164 ExprResult VisitMemberExpr(MemberExpr *E) { 20165 return resolveDecl(E, E->getMemberDecl()); 20166 } 20167 20168 ExprResult VisitDeclRefExpr(DeclRefExpr *E) { 20169 return resolveDecl(E, E->getDecl()); 20170 } 20171 }; 20172 } 20173 20174 /// Rebuilds a call expression which yielded __unknown_anytype. 20175 ExprResult RebuildUnknownAnyExpr::VisitCallExpr(CallExpr *E) { 20176 Expr *CalleeExpr = E->getCallee(); 20177 20178 enum FnKind { 20179 FK_MemberFunction, 20180 FK_FunctionPointer, 20181 FK_BlockPointer 20182 }; 20183 20184 FnKind Kind; 20185 QualType CalleeType = CalleeExpr->getType(); 20186 if (CalleeType == S.Context.BoundMemberTy) { 20187 assert(isa<CXXMemberCallExpr>(E) || isa<CXXOperatorCallExpr>(E)); 20188 Kind = FK_MemberFunction; 20189 CalleeType = Expr::findBoundMemberType(CalleeExpr); 20190 } else if (const PointerType *Ptr = CalleeType->getAs<PointerType>()) { 20191 CalleeType = Ptr->getPointeeType(); 20192 Kind = FK_FunctionPointer; 20193 } else { 20194 CalleeType = CalleeType->castAs<BlockPointerType>()->getPointeeType(); 20195 Kind = FK_BlockPointer; 20196 } 20197 const FunctionType *FnType = CalleeType->castAs<FunctionType>(); 20198 20199 // Verify that this is a legal result type of a function. 20200 if (DestType->isArrayType() || DestType->isFunctionType()) { 20201 unsigned diagID = diag::err_func_returning_array_function; 20202 if (Kind == FK_BlockPointer) 20203 diagID = diag::err_block_returning_array_function; 20204 20205 S.Diag(E->getExprLoc(), diagID) 20206 << DestType->isFunctionType() << DestType; 20207 return ExprError(); 20208 } 20209 20210 // Otherwise, go ahead and set DestType as the call's result. 20211 E->setType(DestType.getNonLValueExprType(S.Context)); 20212 E->setValueKind(Expr::getValueKindForType(DestType)); 20213 assert(E->getObjectKind() == OK_Ordinary); 20214 20215 // Rebuild the function type, replacing the result type with DestType. 20216 const FunctionProtoType *Proto = dyn_cast<FunctionProtoType>(FnType); 20217 if (Proto) { 20218 // __unknown_anytype(...) is a special case used by the debugger when 20219 // it has no idea what a function's signature is. 20220 // 20221 // We want to build this call essentially under the K&R 20222 // unprototyped rules, but making a FunctionNoProtoType in C++ 20223 // would foul up all sorts of assumptions. However, we cannot 20224 // simply pass all arguments as variadic arguments, nor can we 20225 // portably just call the function under a non-variadic type; see 20226 // the comment on IR-gen's TargetInfo::isNoProtoCallVariadic. 20227 // However, it turns out that in practice it is generally safe to 20228 // call a function declared as "A foo(B,C,D);" under the prototype 20229 // "A foo(B,C,D,...);". The only known exception is with the 20230 // Windows ABI, where any variadic function is implicitly cdecl 20231 // regardless of its normal CC. Therefore we change the parameter 20232 // types to match the types of the arguments. 20233 // 20234 // This is a hack, but it is far superior to moving the 20235 // corresponding target-specific code from IR-gen to Sema/AST. 20236 20237 ArrayRef<QualType> ParamTypes = Proto->getParamTypes(); 20238 SmallVector<QualType, 8> ArgTypes; 20239 if (ParamTypes.empty() && Proto->isVariadic()) { // the special case 20240 ArgTypes.reserve(E->getNumArgs()); 20241 for (unsigned i = 0, e = E->getNumArgs(); i != e; ++i) { 20242 ArgTypes.push_back(S.Context.getReferenceQualifiedType(E->getArg(i))); 20243 } 20244 ParamTypes = ArgTypes; 20245 } 20246 DestType = S.Context.getFunctionType(DestType, ParamTypes, 20247 Proto->getExtProtoInfo()); 20248 } else { 20249 DestType = S.Context.getFunctionNoProtoType(DestType, 20250 FnType->getExtInfo()); 20251 } 20252 20253 // Rebuild the appropriate pointer-to-function type. 20254 switch (Kind) { 20255 case FK_MemberFunction: 20256 // Nothing to do. 20257 break; 20258 20259 case FK_FunctionPointer: 20260 DestType = S.Context.getPointerType(DestType); 20261 break; 20262 20263 case FK_BlockPointer: 20264 DestType = S.Context.getBlockPointerType(DestType); 20265 break; 20266 } 20267 20268 // Finally, we can recurse. 20269 ExprResult CalleeResult = Visit(CalleeExpr); 20270 if (!CalleeResult.isUsable()) return ExprError(); 20271 E->setCallee(CalleeResult.get()); 20272 20273 // Bind a temporary if necessary. 20274 return S.MaybeBindToTemporary(E); 20275 } 20276 20277 ExprResult RebuildUnknownAnyExpr::VisitObjCMessageExpr(ObjCMessageExpr *E) { 20278 // Verify that this is a legal result type of a call. 20279 if (DestType->isArrayType() || DestType->isFunctionType()) { 20280 S.Diag(E->getExprLoc(), diag::err_func_returning_array_function) 20281 << DestType->isFunctionType() << DestType; 20282 return ExprError(); 20283 } 20284 20285 // Rewrite the method result type if available. 20286 if (ObjCMethodDecl *Method = E->getMethodDecl()) { 20287 assert(Method->getReturnType() == S.Context.UnknownAnyTy); 20288 Method->setReturnType(DestType); 20289 } 20290 20291 // Change the type of the message. 20292 E->setType(DestType.getNonReferenceType()); 20293 E->setValueKind(Expr::getValueKindForType(DestType)); 20294 20295 return S.MaybeBindToTemporary(E); 20296 } 20297 20298 ExprResult RebuildUnknownAnyExpr::VisitImplicitCastExpr(ImplicitCastExpr *E) { 20299 // The only case we should ever see here is a function-to-pointer decay. 20300 if (E->getCastKind() == CK_FunctionToPointerDecay) { 20301 assert(E->isPRValue()); 20302 assert(E->getObjectKind() == OK_Ordinary); 20303 20304 E->setType(DestType); 20305 20306 // Rebuild the sub-expression as the pointee (function) type. 20307 DestType = DestType->castAs<PointerType>()->getPointeeType(); 20308 20309 ExprResult Result = Visit(E->getSubExpr()); 20310 if (!Result.isUsable()) return ExprError(); 20311 20312 E->setSubExpr(Result.get()); 20313 return E; 20314 } else if (E->getCastKind() == CK_LValueToRValue) { 20315 assert(E->isPRValue()); 20316 assert(E->getObjectKind() == OK_Ordinary); 20317 20318 assert(isa<BlockPointerType>(E->getType())); 20319 20320 E->setType(DestType); 20321 20322 // The sub-expression has to be a lvalue reference, so rebuild it as such. 20323 DestType = S.Context.getLValueReferenceType(DestType); 20324 20325 ExprResult Result = Visit(E->getSubExpr()); 20326 if (!Result.isUsable()) return ExprError(); 20327 20328 E->setSubExpr(Result.get()); 20329 return E; 20330 } else { 20331 llvm_unreachable("Unhandled cast type!"); 20332 } 20333 } 20334 20335 ExprResult RebuildUnknownAnyExpr::resolveDecl(Expr *E, ValueDecl *VD) { 20336 ExprValueKind ValueKind = VK_LValue; 20337 QualType Type = DestType; 20338 20339 // We know how to make this work for certain kinds of decls: 20340 20341 // - functions 20342 if (FunctionDecl *FD = dyn_cast<FunctionDecl>(VD)) { 20343 if (const PointerType *Ptr = Type->getAs<PointerType>()) { 20344 DestType = Ptr->getPointeeType(); 20345 ExprResult Result = resolveDecl(E, VD); 20346 if (Result.isInvalid()) return ExprError(); 20347 return S.ImpCastExprToType(Result.get(), Type, CK_FunctionToPointerDecay, 20348 VK_PRValue); 20349 } 20350 20351 if (!Type->isFunctionType()) { 20352 S.Diag(E->getExprLoc(), diag::err_unknown_any_function) 20353 << VD << E->getSourceRange(); 20354 return ExprError(); 20355 } 20356 if (const FunctionProtoType *FT = Type->getAs<FunctionProtoType>()) { 20357 // We must match the FunctionDecl's type to the hack introduced in 20358 // RebuildUnknownAnyExpr::VisitCallExpr to vararg functions of unknown 20359 // type. See the lengthy commentary in that routine. 20360 QualType FDT = FD->getType(); 20361 const FunctionType *FnType = FDT->castAs<FunctionType>(); 20362 const FunctionProtoType *Proto = dyn_cast_or_null<FunctionProtoType>(FnType); 20363 DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E); 20364 if (DRE && Proto && Proto->getParamTypes().empty() && Proto->isVariadic()) { 20365 SourceLocation Loc = FD->getLocation(); 20366 FunctionDecl *NewFD = FunctionDecl::Create( 20367 S.Context, FD->getDeclContext(), Loc, Loc, 20368 FD->getNameInfo().getName(), DestType, FD->getTypeSourceInfo(), 20369 SC_None, S.getCurFPFeatures().isFPConstrained(), 20370 false /*isInlineSpecified*/, FD->hasPrototype(), 20371 /*ConstexprKind*/ ConstexprSpecKind::Unspecified); 20372 20373 if (FD->getQualifier()) 20374 NewFD->setQualifierInfo(FD->getQualifierLoc()); 20375 20376 SmallVector<ParmVarDecl*, 16> Params; 20377 for (const auto &AI : FT->param_types()) { 20378 ParmVarDecl *Param = 20379 S.BuildParmVarDeclForTypedef(FD, Loc, AI); 20380 Param->setScopeInfo(0, Params.size()); 20381 Params.push_back(Param); 20382 } 20383 NewFD->setParams(Params); 20384 DRE->setDecl(NewFD); 20385 VD = DRE->getDecl(); 20386 } 20387 } 20388 20389 if (CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD)) 20390 if (MD->isInstance()) { 20391 ValueKind = VK_PRValue; 20392 Type = S.Context.BoundMemberTy; 20393 } 20394 20395 // Function references aren't l-values in C. 20396 if (!S.getLangOpts().CPlusPlus) 20397 ValueKind = VK_PRValue; 20398 20399 // - variables 20400 } else if (isa<VarDecl>(VD)) { 20401 if (const ReferenceType *RefTy = Type->getAs<ReferenceType>()) { 20402 Type = RefTy->getPointeeType(); 20403 } else if (Type->isFunctionType()) { 20404 S.Diag(E->getExprLoc(), diag::err_unknown_any_var_function_type) 20405 << VD << E->getSourceRange(); 20406 return ExprError(); 20407 } 20408 20409 // - nothing else 20410 } else { 20411 S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_decl) 20412 << VD << E->getSourceRange(); 20413 return ExprError(); 20414 } 20415 20416 // Modifying the declaration like this is friendly to IR-gen but 20417 // also really dangerous. 20418 VD->setType(DestType); 20419 E->setType(Type); 20420 E->setValueKind(ValueKind); 20421 return E; 20422 } 20423 20424 /// Check a cast of an unknown-any type. We intentionally only 20425 /// trigger this for C-style casts. 20426 ExprResult Sema::checkUnknownAnyCast(SourceRange TypeRange, QualType CastType, 20427 Expr *CastExpr, CastKind &CastKind, 20428 ExprValueKind &VK, CXXCastPath &Path) { 20429 // The type we're casting to must be either void or complete. 20430 if (!CastType->isVoidType() && 20431 RequireCompleteType(TypeRange.getBegin(), CastType, 20432 diag::err_typecheck_cast_to_incomplete)) 20433 return ExprError(); 20434 20435 // Rewrite the casted expression from scratch. 20436 ExprResult result = RebuildUnknownAnyExpr(*this, CastType).Visit(CastExpr); 20437 if (!result.isUsable()) return ExprError(); 20438 20439 CastExpr = result.get(); 20440 VK = CastExpr->getValueKind(); 20441 CastKind = CK_NoOp; 20442 20443 return CastExpr; 20444 } 20445 20446 ExprResult Sema::forceUnknownAnyToType(Expr *E, QualType ToType) { 20447 return RebuildUnknownAnyExpr(*this, ToType).Visit(E); 20448 } 20449 20450 ExprResult Sema::checkUnknownAnyArg(SourceLocation callLoc, 20451 Expr *arg, QualType ¶mType) { 20452 // If the syntactic form of the argument is not an explicit cast of 20453 // any sort, just do default argument promotion. 20454 ExplicitCastExpr *castArg = dyn_cast<ExplicitCastExpr>(arg->IgnoreParens()); 20455 if (!castArg) { 20456 ExprResult result = DefaultArgumentPromotion(arg); 20457 if (result.isInvalid()) return ExprError(); 20458 paramType = result.get()->getType(); 20459 return result; 20460 } 20461 20462 // Otherwise, use the type that was written in the explicit cast. 20463 assert(!arg->hasPlaceholderType()); 20464 paramType = castArg->getTypeAsWritten(); 20465 20466 // Copy-initialize a parameter of that type. 20467 InitializedEntity entity = 20468 InitializedEntity::InitializeParameter(Context, paramType, 20469 /*consumed*/ false); 20470 return PerformCopyInitialization(entity, callLoc, arg); 20471 } 20472 20473 static ExprResult diagnoseUnknownAnyExpr(Sema &S, Expr *E) { 20474 Expr *orig = E; 20475 unsigned diagID = diag::err_uncasted_use_of_unknown_any; 20476 while (true) { 20477 E = E->IgnoreParenImpCasts(); 20478 if (CallExpr *call = dyn_cast<CallExpr>(E)) { 20479 E = call->getCallee(); 20480 diagID = diag::err_uncasted_call_of_unknown_any; 20481 } else { 20482 break; 20483 } 20484 } 20485 20486 SourceLocation loc; 20487 NamedDecl *d; 20488 if (DeclRefExpr *ref = dyn_cast<DeclRefExpr>(E)) { 20489 loc = ref->getLocation(); 20490 d = ref->getDecl(); 20491 } else if (MemberExpr *mem = dyn_cast<MemberExpr>(E)) { 20492 loc = mem->getMemberLoc(); 20493 d = mem->getMemberDecl(); 20494 } else if (ObjCMessageExpr *msg = dyn_cast<ObjCMessageExpr>(E)) { 20495 diagID = diag::err_uncasted_call_of_unknown_any; 20496 loc = msg->getSelectorStartLoc(); 20497 d = msg->getMethodDecl(); 20498 if (!d) { 20499 S.Diag(loc, diag::err_uncasted_send_to_unknown_any_method) 20500 << static_cast<unsigned>(msg->isClassMessage()) << msg->getSelector() 20501 << orig->getSourceRange(); 20502 return ExprError(); 20503 } 20504 } else { 20505 S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_expr) 20506 << E->getSourceRange(); 20507 return ExprError(); 20508 } 20509 20510 S.Diag(loc, diagID) << d << orig->getSourceRange(); 20511 20512 // Never recoverable. 20513 return ExprError(); 20514 } 20515 20516 /// Check for operands with placeholder types and complain if found. 20517 /// Returns ExprError() if there was an error and no recovery was possible. 20518 ExprResult Sema::CheckPlaceholderExpr(Expr *E) { 20519 if (!Context.isDependenceAllowed()) { 20520 // C cannot handle TypoExpr nodes on either side of a binop because it 20521 // doesn't handle dependent types properly, so make sure any TypoExprs have 20522 // been dealt with before checking the operands. 20523 ExprResult Result = CorrectDelayedTyposInExpr(E); 20524 if (!Result.isUsable()) return ExprError(); 20525 E = Result.get(); 20526 } 20527 20528 const BuiltinType *placeholderType = E->getType()->getAsPlaceholderType(); 20529 if (!placeholderType) return E; 20530 20531 switch (placeholderType->getKind()) { 20532 20533 // Overloaded expressions. 20534 case BuiltinType::Overload: { 20535 // Try to resolve a single function template specialization. 20536 // This is obligatory. 20537 ExprResult Result = E; 20538 if (ResolveAndFixSingleFunctionTemplateSpecialization(Result, false)) 20539 return Result; 20540 20541 // No guarantees that ResolveAndFixSingleFunctionTemplateSpecialization 20542 // leaves Result unchanged on failure. 20543 Result = E; 20544 if (resolveAndFixAddressOfSingleOverloadCandidate(Result)) 20545 return Result; 20546 20547 // If that failed, try to recover with a call. 20548 tryToRecoverWithCall(Result, PDiag(diag::err_ovl_unresolvable), 20549 /*complain*/ true); 20550 return Result; 20551 } 20552 20553 // Bound member functions. 20554 case BuiltinType::BoundMember: { 20555 ExprResult result = E; 20556 const Expr *BME = E->IgnoreParens(); 20557 PartialDiagnostic PD = PDiag(diag::err_bound_member_function); 20558 // Try to give a nicer diagnostic if it is a bound member that we recognize. 20559 if (isa<CXXPseudoDestructorExpr>(BME)) { 20560 PD = PDiag(diag::err_dtor_expr_without_call) << /*pseudo-destructor*/ 1; 20561 } else if (const auto *ME = dyn_cast<MemberExpr>(BME)) { 20562 if (ME->getMemberNameInfo().getName().getNameKind() == 20563 DeclarationName::CXXDestructorName) 20564 PD = PDiag(diag::err_dtor_expr_without_call) << /*destructor*/ 0; 20565 } 20566 tryToRecoverWithCall(result, PD, 20567 /*complain*/ true); 20568 return result; 20569 } 20570 20571 // ARC unbridged casts. 20572 case BuiltinType::ARCUnbridgedCast: { 20573 Expr *realCast = stripARCUnbridgedCast(E); 20574 diagnoseARCUnbridgedCast(realCast); 20575 return realCast; 20576 } 20577 20578 // Expressions of unknown type. 20579 case BuiltinType::UnknownAny: 20580 return diagnoseUnknownAnyExpr(*this, E); 20581 20582 // Pseudo-objects. 20583 case BuiltinType::PseudoObject: 20584 return checkPseudoObjectRValue(E); 20585 20586 case BuiltinType::BuiltinFn: { 20587 // Accept __noop without parens by implicitly converting it to a call expr. 20588 auto *DRE = dyn_cast<DeclRefExpr>(E->IgnoreParenImpCasts()); 20589 if (DRE) { 20590 auto *FD = cast<FunctionDecl>(DRE->getDecl()); 20591 unsigned BuiltinID = FD->getBuiltinID(); 20592 if (BuiltinID == Builtin::BI__noop) { 20593 E = ImpCastExprToType(E, Context.getPointerType(FD->getType()), 20594 CK_BuiltinFnToFnPtr) 20595 .get(); 20596 return CallExpr::Create(Context, E, /*Args=*/{}, Context.IntTy, 20597 VK_PRValue, SourceLocation(), 20598 FPOptionsOverride()); 20599 } 20600 20601 if (Context.BuiltinInfo.isInStdNamespace(BuiltinID)) { 20602 // Any use of these other than a direct call is ill-formed as of C++20, 20603 // because they are not addressable functions. In earlier language 20604 // modes, warn and force an instantiation of the real body. 20605 Diag(E->getBeginLoc(), 20606 getLangOpts().CPlusPlus20 20607 ? diag::err_use_of_unaddressable_function 20608 : diag::warn_cxx20_compat_use_of_unaddressable_function); 20609 if (FD->isImplicitlyInstantiable()) { 20610 // Require a definition here because a normal attempt at 20611 // instantiation for a builtin will be ignored, and we won't try 20612 // again later. We assume that the definition of the template 20613 // precedes this use. 20614 InstantiateFunctionDefinition(E->getBeginLoc(), FD, 20615 /*Recursive=*/false, 20616 /*DefinitionRequired=*/true, 20617 /*AtEndOfTU=*/false); 20618 } 20619 // Produce a properly-typed reference to the function. 20620 CXXScopeSpec SS; 20621 SS.Adopt(DRE->getQualifierLoc()); 20622 TemplateArgumentListInfo TemplateArgs; 20623 DRE->copyTemplateArgumentsInto(TemplateArgs); 20624 return BuildDeclRefExpr( 20625 FD, FD->getType(), VK_LValue, DRE->getNameInfo(), 20626 DRE->hasQualifier() ? &SS : nullptr, DRE->getFoundDecl(), 20627 DRE->getTemplateKeywordLoc(), 20628 DRE->hasExplicitTemplateArgs() ? &TemplateArgs : nullptr); 20629 } 20630 } 20631 20632 Diag(E->getBeginLoc(), diag::err_builtin_fn_use); 20633 return ExprError(); 20634 } 20635 20636 case BuiltinType::IncompleteMatrixIdx: 20637 Diag(cast<MatrixSubscriptExpr>(E->IgnoreParens()) 20638 ->getRowIdx() 20639 ->getBeginLoc(), 20640 diag::err_matrix_incomplete_index); 20641 return ExprError(); 20642 20643 // Expressions of unknown type. 20644 case BuiltinType::OMPArraySection: 20645 Diag(E->getBeginLoc(), diag::err_omp_array_section_use); 20646 return ExprError(); 20647 20648 // Expressions of unknown type. 20649 case BuiltinType::OMPArrayShaping: 20650 return ExprError(Diag(E->getBeginLoc(), diag::err_omp_array_shaping_use)); 20651 20652 case BuiltinType::OMPIterator: 20653 return ExprError(Diag(E->getBeginLoc(), diag::err_omp_iterator_use)); 20654 20655 // Everything else should be impossible. 20656 #define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \ 20657 case BuiltinType::Id: 20658 #include "clang/Basic/OpenCLImageTypes.def" 20659 #define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \ 20660 case BuiltinType::Id: 20661 #include "clang/Basic/OpenCLExtensionTypes.def" 20662 #define SVE_TYPE(Name, Id, SingletonId) \ 20663 case BuiltinType::Id: 20664 #include "clang/Basic/AArch64SVEACLETypes.def" 20665 #define PPC_VECTOR_TYPE(Name, Id, Size) \ 20666 case BuiltinType::Id: 20667 #include "clang/Basic/PPCTypes.def" 20668 #define RVV_TYPE(Name, Id, SingletonId) case BuiltinType::Id: 20669 #include "clang/Basic/RISCVVTypes.def" 20670 #define BUILTIN_TYPE(Id, SingletonId) case BuiltinType::Id: 20671 #define PLACEHOLDER_TYPE(Id, SingletonId) 20672 #include "clang/AST/BuiltinTypes.def" 20673 break; 20674 } 20675 20676 llvm_unreachable("invalid placeholder type!"); 20677 } 20678 20679 bool Sema::CheckCaseExpression(Expr *E) { 20680 if (E->isTypeDependent()) 20681 return true; 20682 if (E->isValueDependent() || E->isIntegerConstantExpr(Context)) 20683 return E->getType()->isIntegralOrEnumerationType(); 20684 return false; 20685 } 20686 20687 /// ActOnObjCBoolLiteral - Parse {__objc_yes,__objc_no} literals. 20688 ExprResult 20689 Sema::ActOnObjCBoolLiteral(SourceLocation OpLoc, tok::TokenKind Kind) { 20690 assert((Kind == tok::kw___objc_yes || Kind == tok::kw___objc_no) && 20691 "Unknown Objective-C Boolean value!"); 20692 QualType BoolT = Context.ObjCBuiltinBoolTy; 20693 if (!Context.getBOOLDecl()) { 20694 LookupResult Result(*this, &Context.Idents.get("BOOL"), OpLoc, 20695 Sema::LookupOrdinaryName); 20696 if (LookupName(Result, getCurScope()) && Result.isSingleResult()) { 20697 NamedDecl *ND = Result.getFoundDecl(); 20698 if (TypedefDecl *TD = dyn_cast<TypedefDecl>(ND)) 20699 Context.setBOOLDecl(TD); 20700 } 20701 } 20702 if (Context.getBOOLDecl()) 20703 BoolT = Context.getBOOLType(); 20704 return new (Context) 20705 ObjCBoolLiteralExpr(Kind == tok::kw___objc_yes, BoolT, OpLoc); 20706 } 20707 20708 ExprResult Sema::ActOnObjCAvailabilityCheckExpr( 20709 llvm::ArrayRef<AvailabilitySpec> AvailSpecs, SourceLocation AtLoc, 20710 SourceLocation RParen) { 20711 auto FindSpecVersion = [&](StringRef Platform) -> Optional<VersionTuple> { 20712 auto Spec = llvm::find_if(AvailSpecs, [&](const AvailabilitySpec &Spec) { 20713 return Spec.getPlatform() == Platform; 20714 }); 20715 // Transcribe the "ios" availability check to "maccatalyst" when compiling 20716 // for "maccatalyst" if "maccatalyst" is not specified. 20717 if (Spec == AvailSpecs.end() && Platform == "maccatalyst") { 20718 Spec = llvm::find_if(AvailSpecs, [&](const AvailabilitySpec &Spec) { 20719 return Spec.getPlatform() == "ios"; 20720 }); 20721 } 20722 if (Spec == AvailSpecs.end()) 20723 return None; 20724 return Spec->getVersion(); 20725 }; 20726 20727 VersionTuple Version; 20728 if (auto MaybeVersion = 20729 FindSpecVersion(Context.getTargetInfo().getPlatformName())) 20730 Version = *MaybeVersion; 20731 20732 // The use of `@available` in the enclosing context should be analyzed to 20733 // warn when it's used inappropriately (i.e. not if(@available)). 20734 if (FunctionScopeInfo *Context = getCurFunctionAvailabilityContext()) 20735 Context->HasPotentialAvailabilityViolations = true; 20736 20737 return new (Context) 20738 ObjCAvailabilityCheckExpr(Version, AtLoc, RParen, Context.BoolTy); 20739 } 20740 20741 ExprResult Sema::CreateRecoveryExpr(SourceLocation Begin, SourceLocation End, 20742 ArrayRef<Expr *> SubExprs, QualType T) { 20743 if (!Context.getLangOpts().RecoveryAST) 20744 return ExprError(); 20745 20746 if (isSFINAEContext()) 20747 return ExprError(); 20748 20749 if (T.isNull() || T->isUndeducedType() || 20750 !Context.getLangOpts().RecoveryASTType) 20751 // We don't know the concrete type, fallback to dependent type. 20752 T = Context.DependentTy; 20753 20754 return RecoveryExpr::Create(Context, T, Begin, End, SubExprs); 20755 } 20756