1 //===- Type.cpp - Type representation and manipulation --------------------===// 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 type-related functionality. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "clang/AST/Type.h" 14 #include "Linkage.h" 15 #include "clang/AST/ASTContext.h" 16 #include "clang/AST/Attr.h" 17 #include "clang/AST/CharUnits.h" 18 #include "clang/AST/Decl.h" 19 #include "clang/AST/DeclBase.h" 20 #include "clang/AST/DeclCXX.h" 21 #include "clang/AST/DeclObjC.h" 22 #include "clang/AST/DeclTemplate.h" 23 #include "clang/AST/DependenceFlags.h" 24 #include "clang/AST/Expr.h" 25 #include "clang/AST/NestedNameSpecifier.h" 26 #include "clang/AST/NonTrivialTypeVisitor.h" 27 #include "clang/AST/PrettyPrinter.h" 28 #include "clang/AST/TemplateBase.h" 29 #include "clang/AST/TemplateName.h" 30 #include "clang/AST/TypeVisitor.h" 31 #include "clang/Basic/AddressSpaces.h" 32 #include "clang/Basic/ExceptionSpecificationType.h" 33 #include "clang/Basic/IdentifierTable.h" 34 #include "clang/Basic/LLVM.h" 35 #include "clang/Basic/LangOptions.h" 36 #include "clang/Basic/Linkage.h" 37 #include "clang/Basic/Specifiers.h" 38 #include "clang/Basic/TargetCXXABI.h" 39 #include "clang/Basic/TargetInfo.h" 40 #include "clang/Basic/Visibility.h" 41 #include "llvm/ADT/APInt.h" 42 #include "llvm/ADT/APSInt.h" 43 #include "llvm/ADT/ArrayRef.h" 44 #include "llvm/ADT/FoldingSet.h" 45 #include "llvm/ADT/None.h" 46 #include "llvm/ADT/SmallVector.h" 47 #include "llvm/Support/Casting.h" 48 #include "llvm/Support/ErrorHandling.h" 49 #include "llvm/Support/MathExtras.h" 50 #include <algorithm> 51 #include <cassert> 52 #include <cstdint> 53 #include <cstring> 54 #include <type_traits> 55 56 using namespace clang; 57 58 bool Qualifiers::isStrictSupersetOf(Qualifiers Other) const { 59 return (*this != Other) && 60 // CVR qualifiers superset 61 (((Mask & CVRMask) | (Other.Mask & CVRMask)) == (Mask & CVRMask)) && 62 // ObjC GC qualifiers superset 63 ((getObjCGCAttr() == Other.getObjCGCAttr()) || 64 (hasObjCGCAttr() && !Other.hasObjCGCAttr())) && 65 // Address space superset. 66 ((getAddressSpace() == Other.getAddressSpace()) || 67 (hasAddressSpace()&& !Other.hasAddressSpace())) && 68 // Lifetime qualifier superset. 69 ((getObjCLifetime() == Other.getObjCLifetime()) || 70 (hasObjCLifetime() && !Other.hasObjCLifetime())); 71 } 72 73 const IdentifierInfo* QualType::getBaseTypeIdentifier() const { 74 const Type* ty = getTypePtr(); 75 NamedDecl *ND = nullptr; 76 if (ty->isPointerType() || ty->isReferenceType()) 77 return ty->getPointeeType().getBaseTypeIdentifier(); 78 else if (ty->isRecordType()) 79 ND = ty->castAs<RecordType>()->getDecl(); 80 else if (ty->isEnumeralType()) 81 ND = ty->castAs<EnumType>()->getDecl(); 82 else if (ty->getTypeClass() == Type::Typedef) 83 ND = ty->castAs<TypedefType>()->getDecl(); 84 else if (ty->isArrayType()) 85 return ty->castAsArrayTypeUnsafe()-> 86 getElementType().getBaseTypeIdentifier(); 87 88 if (ND) 89 return ND->getIdentifier(); 90 return nullptr; 91 } 92 93 bool QualType::mayBeDynamicClass() const { 94 const auto *ClassDecl = getTypePtr()->getPointeeCXXRecordDecl(); 95 return ClassDecl && ClassDecl->mayBeDynamicClass(); 96 } 97 98 bool QualType::mayBeNotDynamicClass() const { 99 const auto *ClassDecl = getTypePtr()->getPointeeCXXRecordDecl(); 100 return !ClassDecl || ClassDecl->mayBeNonDynamicClass(); 101 } 102 103 bool QualType::isConstant(QualType T, const ASTContext &Ctx) { 104 if (T.isConstQualified()) 105 return true; 106 107 if (const ArrayType *AT = Ctx.getAsArrayType(T)) 108 return AT->getElementType().isConstant(Ctx); 109 110 return T.getAddressSpace() == LangAS::opencl_constant; 111 } 112 113 // C++ [temp.dep.type]p1: 114 // A type is dependent if it is... 115 // - an array type constructed from any dependent type or whose 116 // size is specified by a constant expression that is 117 // value-dependent, 118 ArrayType::ArrayType(TypeClass tc, QualType et, QualType can, 119 ArraySizeModifier sm, unsigned tq, const Expr *sz) 120 // Note, we need to check for DependentSizedArrayType explicitly here 121 // because we use a DependentSizedArrayType with no size expression as the 122 // type of a dependent array of unknown bound with a dependent braced 123 // initializer: 124 // 125 // template<int ...N> int arr[] = {N...}; 126 : Type(tc, can, 127 et->getDependence() | 128 (sz ? toTypeDependence( 129 turnValueToTypeDependence(sz->getDependence())) 130 : TypeDependence::None) | 131 (tc == VariableArray ? TypeDependence::VariablyModified 132 : TypeDependence::None) | 133 (tc == DependentSizedArray 134 ? TypeDependence::DependentInstantiation 135 : TypeDependence::None)), 136 ElementType(et) { 137 ArrayTypeBits.IndexTypeQuals = tq; 138 ArrayTypeBits.SizeModifier = sm; 139 } 140 141 unsigned ConstantArrayType::getNumAddressingBits(const ASTContext &Context, 142 QualType ElementType, 143 const llvm::APInt &NumElements) { 144 uint64_t ElementSize = Context.getTypeSizeInChars(ElementType).getQuantity(); 145 146 // Fast path the common cases so we can avoid the conservative computation 147 // below, which in common cases allocates "large" APSInt values, which are 148 // slow. 149 150 // If the element size is a power of 2, we can directly compute the additional 151 // number of addressing bits beyond those required for the element count. 152 if (llvm::isPowerOf2_64(ElementSize)) { 153 return NumElements.getActiveBits() + llvm::Log2_64(ElementSize); 154 } 155 156 // If both the element count and element size fit in 32-bits, we can do the 157 // computation directly in 64-bits. 158 if ((ElementSize >> 32) == 0 && NumElements.getBitWidth() <= 64 && 159 (NumElements.getZExtValue() >> 32) == 0) { 160 uint64_t TotalSize = NumElements.getZExtValue() * ElementSize; 161 return 64 - llvm::countLeadingZeros(TotalSize); 162 } 163 164 // Otherwise, use APSInt to handle arbitrary sized values. 165 llvm::APSInt SizeExtended(NumElements, true); 166 unsigned SizeTypeBits = Context.getTypeSize(Context.getSizeType()); 167 SizeExtended = SizeExtended.extend(std::max(SizeTypeBits, 168 SizeExtended.getBitWidth()) * 2); 169 170 llvm::APSInt TotalSize(llvm::APInt(SizeExtended.getBitWidth(), ElementSize)); 171 TotalSize *= SizeExtended; 172 173 return TotalSize.getActiveBits(); 174 } 175 176 unsigned ConstantArrayType::getMaxSizeBits(const ASTContext &Context) { 177 unsigned Bits = Context.getTypeSize(Context.getSizeType()); 178 179 // Limit the number of bits in size_t so that maximal bit size fits 64 bit 180 // integer (see PR8256). We can do this as currently there is no hardware 181 // that supports full 64-bit virtual space. 182 if (Bits > 61) 183 Bits = 61; 184 185 return Bits; 186 } 187 188 void ConstantArrayType::Profile(llvm::FoldingSetNodeID &ID, 189 const ASTContext &Context, QualType ET, 190 const llvm::APInt &ArraySize, 191 const Expr *SizeExpr, ArraySizeModifier SizeMod, 192 unsigned TypeQuals) { 193 ID.AddPointer(ET.getAsOpaquePtr()); 194 ID.AddInteger(ArraySize.getZExtValue()); 195 ID.AddInteger(SizeMod); 196 ID.AddInteger(TypeQuals); 197 ID.AddBoolean(SizeExpr != nullptr); 198 if (SizeExpr) 199 SizeExpr->Profile(ID, Context, true); 200 } 201 202 DependentSizedArrayType::DependentSizedArrayType(const ASTContext &Context, 203 QualType et, QualType can, 204 Expr *e, ArraySizeModifier sm, 205 unsigned tq, 206 SourceRange brackets) 207 : ArrayType(DependentSizedArray, et, can, sm, tq, e), 208 Context(Context), SizeExpr((Stmt*) e), Brackets(brackets) {} 209 210 void DependentSizedArrayType::Profile(llvm::FoldingSetNodeID &ID, 211 const ASTContext &Context, 212 QualType ET, 213 ArraySizeModifier SizeMod, 214 unsigned TypeQuals, 215 Expr *E) { 216 ID.AddPointer(ET.getAsOpaquePtr()); 217 ID.AddInteger(SizeMod); 218 ID.AddInteger(TypeQuals); 219 E->Profile(ID, Context, true); 220 } 221 222 DependentVectorType::DependentVectorType(const ASTContext &Context, 223 QualType ElementType, 224 QualType CanonType, Expr *SizeExpr, 225 SourceLocation Loc, 226 VectorType::VectorKind VecKind) 227 : Type(DependentVector, CanonType, 228 TypeDependence::DependentInstantiation | 229 ElementType->getDependence() | 230 (SizeExpr ? toTypeDependence(SizeExpr->getDependence()) 231 : TypeDependence::None)), 232 Context(Context), ElementType(ElementType), SizeExpr(SizeExpr), Loc(Loc) { 233 VectorTypeBits.VecKind = VecKind; 234 } 235 236 void DependentVectorType::Profile(llvm::FoldingSetNodeID &ID, 237 const ASTContext &Context, 238 QualType ElementType, const Expr *SizeExpr, 239 VectorType::VectorKind VecKind) { 240 ID.AddPointer(ElementType.getAsOpaquePtr()); 241 ID.AddInteger(VecKind); 242 SizeExpr->Profile(ID, Context, true); 243 } 244 245 DependentSizedExtVectorType::DependentSizedExtVectorType( 246 const ASTContext &Context, QualType ElementType, QualType can, 247 Expr *SizeExpr, SourceLocation loc) 248 : Type(DependentSizedExtVector, can, 249 TypeDependence::DependentInstantiation | 250 ElementType->getDependence() | 251 (SizeExpr ? toTypeDependence(SizeExpr->getDependence()) 252 : TypeDependence::None)), 253 Context(Context), SizeExpr(SizeExpr), ElementType(ElementType), loc(loc) { 254 } 255 256 void 257 DependentSizedExtVectorType::Profile(llvm::FoldingSetNodeID &ID, 258 const ASTContext &Context, 259 QualType ElementType, Expr *SizeExpr) { 260 ID.AddPointer(ElementType.getAsOpaquePtr()); 261 SizeExpr->Profile(ID, Context, true); 262 } 263 264 DependentAddressSpaceType::DependentAddressSpaceType(const ASTContext &Context, 265 QualType PointeeType, 266 QualType can, 267 Expr *AddrSpaceExpr, 268 SourceLocation loc) 269 : Type(DependentAddressSpace, can, 270 TypeDependence::DependentInstantiation | 271 PointeeType->getDependence() | 272 (AddrSpaceExpr ? toTypeDependence(AddrSpaceExpr->getDependence()) 273 : TypeDependence::None)), 274 Context(Context), AddrSpaceExpr(AddrSpaceExpr), PointeeType(PointeeType), 275 loc(loc) {} 276 277 void DependentAddressSpaceType::Profile(llvm::FoldingSetNodeID &ID, 278 const ASTContext &Context, 279 QualType PointeeType, 280 Expr *AddrSpaceExpr) { 281 ID.AddPointer(PointeeType.getAsOpaquePtr()); 282 AddrSpaceExpr->Profile(ID, Context, true); 283 } 284 285 MatrixType::MatrixType(TypeClass tc, QualType matrixType, QualType canonType, 286 const Expr *RowExpr, const Expr *ColumnExpr) 287 : Type(tc, canonType, 288 (RowExpr ? (matrixType->getDependence() | TypeDependence::Dependent | 289 TypeDependence::Instantiation | 290 (matrixType->isVariablyModifiedType() 291 ? TypeDependence::VariablyModified 292 : TypeDependence::None) | 293 (matrixType->containsUnexpandedParameterPack() || 294 (RowExpr && 295 RowExpr->containsUnexpandedParameterPack()) || 296 (ColumnExpr && 297 ColumnExpr->containsUnexpandedParameterPack()) 298 ? TypeDependence::UnexpandedPack 299 : TypeDependence::None)) 300 : matrixType->getDependence())), 301 ElementType(matrixType) {} 302 303 ConstantMatrixType::ConstantMatrixType(QualType matrixType, unsigned nRows, 304 unsigned nColumns, QualType canonType) 305 : ConstantMatrixType(ConstantMatrix, matrixType, nRows, nColumns, 306 canonType) {} 307 308 ConstantMatrixType::ConstantMatrixType(TypeClass tc, QualType matrixType, 309 unsigned nRows, unsigned nColumns, 310 QualType canonType) 311 : MatrixType(tc, matrixType, canonType), NumRows(nRows), 312 NumColumns(nColumns) {} 313 314 DependentSizedMatrixType::DependentSizedMatrixType( 315 const ASTContext &CTX, QualType ElementType, QualType CanonicalType, 316 Expr *RowExpr, Expr *ColumnExpr, SourceLocation loc) 317 : MatrixType(DependentSizedMatrix, ElementType, CanonicalType, RowExpr, 318 ColumnExpr), 319 Context(CTX), RowExpr(RowExpr), ColumnExpr(ColumnExpr), loc(loc) {} 320 321 void DependentSizedMatrixType::Profile(llvm::FoldingSetNodeID &ID, 322 const ASTContext &CTX, 323 QualType ElementType, Expr *RowExpr, 324 Expr *ColumnExpr) { 325 ID.AddPointer(ElementType.getAsOpaquePtr()); 326 RowExpr->Profile(ID, CTX, true); 327 ColumnExpr->Profile(ID, CTX, true); 328 } 329 330 VectorType::VectorType(QualType vecType, unsigned nElements, QualType canonType, 331 VectorKind vecKind) 332 : VectorType(Vector, vecType, nElements, canonType, vecKind) {} 333 334 VectorType::VectorType(TypeClass tc, QualType vecType, unsigned nElements, 335 QualType canonType, VectorKind vecKind) 336 : Type(tc, canonType, vecType->getDependence()), ElementType(vecType) { 337 VectorTypeBits.VecKind = vecKind; 338 VectorTypeBits.NumElements = nElements; 339 } 340 341 BitIntType::BitIntType(bool IsUnsigned, unsigned NumBits) 342 : Type(BitInt, QualType{}, TypeDependence::None), IsUnsigned(IsUnsigned), 343 NumBits(NumBits) {} 344 345 DependentBitIntType::DependentBitIntType(const ASTContext &Context, 346 bool IsUnsigned, Expr *NumBitsExpr) 347 : Type(DependentBitInt, QualType{}, 348 toTypeDependence(NumBitsExpr->getDependence())), 349 Context(Context), ExprAndUnsigned(NumBitsExpr, IsUnsigned) {} 350 351 bool DependentBitIntType::isUnsigned() const { 352 return ExprAndUnsigned.getInt(); 353 } 354 355 clang::Expr *DependentBitIntType::getNumBitsExpr() const { 356 return ExprAndUnsigned.getPointer(); 357 } 358 359 void DependentBitIntType::Profile(llvm::FoldingSetNodeID &ID, 360 const ASTContext &Context, bool IsUnsigned, 361 Expr *NumBitsExpr) { 362 ID.AddBoolean(IsUnsigned); 363 NumBitsExpr->Profile(ID, Context, true); 364 } 365 366 /// getArrayElementTypeNoTypeQual - If this is an array type, return the 367 /// element type of the array, potentially with type qualifiers missing. 368 /// This method should never be used when type qualifiers are meaningful. 369 const Type *Type::getArrayElementTypeNoTypeQual() const { 370 // If this is directly an array type, return it. 371 if (const auto *ATy = dyn_cast<ArrayType>(this)) 372 return ATy->getElementType().getTypePtr(); 373 374 // If the canonical form of this type isn't the right kind, reject it. 375 if (!isa<ArrayType>(CanonicalType)) 376 return nullptr; 377 378 // If this is a typedef for an array type, strip the typedef off without 379 // losing all typedef information. 380 return cast<ArrayType>(getUnqualifiedDesugaredType()) 381 ->getElementType().getTypePtr(); 382 } 383 384 /// getDesugaredType - Return the specified type with any "sugar" removed from 385 /// the type. This takes off typedefs, typeof's etc. If the outer level of 386 /// the type is already concrete, it returns it unmodified. This is similar 387 /// to getting the canonical type, but it doesn't remove *all* typedefs. For 388 /// example, it returns "T*" as "T*", (not as "int*"), because the pointer is 389 /// concrete. 390 QualType QualType::getDesugaredType(QualType T, const ASTContext &Context) { 391 SplitQualType split = getSplitDesugaredType(T); 392 return Context.getQualifiedType(split.Ty, split.Quals); 393 } 394 395 QualType QualType::getSingleStepDesugaredTypeImpl(QualType type, 396 const ASTContext &Context) { 397 SplitQualType split = type.split(); 398 QualType desugar = split.Ty->getLocallyUnqualifiedSingleStepDesugaredType(); 399 return Context.getQualifiedType(desugar, split.Quals); 400 } 401 402 // Check that no type class is polymorphic. LLVM style RTTI should be used 403 // instead. If absolutely needed an exception can still be added here by 404 // defining the appropriate macro (but please don't do this). 405 #define TYPE(CLASS, BASE) \ 406 static_assert(!std::is_polymorphic<CLASS##Type>::value, \ 407 #CLASS "Type should not be polymorphic!"); 408 #include "clang/AST/TypeNodes.inc" 409 410 // Check that no type class has a non-trival destructor. Types are 411 // allocated with the BumpPtrAllocator from ASTContext and therefore 412 // their destructor is not executed. 413 // 414 // FIXME: ConstantArrayType is not trivially destructible because of its 415 // APInt member. It should be replaced in favor of ASTContext allocation. 416 #define TYPE(CLASS, BASE) \ 417 static_assert(std::is_trivially_destructible<CLASS##Type>::value || \ 418 std::is_same<CLASS##Type, ConstantArrayType>::value, \ 419 #CLASS "Type should be trivially destructible!"); 420 #include "clang/AST/TypeNodes.inc" 421 422 QualType Type::getLocallyUnqualifiedSingleStepDesugaredType() const { 423 switch (getTypeClass()) { 424 #define ABSTRACT_TYPE(Class, Parent) 425 #define TYPE(Class, Parent) \ 426 case Type::Class: { \ 427 const auto *ty = cast<Class##Type>(this); \ 428 if (!ty->isSugared()) return QualType(ty, 0); \ 429 return ty->desugar(); \ 430 } 431 #include "clang/AST/TypeNodes.inc" 432 } 433 llvm_unreachable("bad type kind!"); 434 } 435 436 SplitQualType QualType::getSplitDesugaredType(QualType T) { 437 QualifierCollector Qs; 438 439 QualType Cur = T; 440 while (true) { 441 const Type *CurTy = Qs.strip(Cur); 442 switch (CurTy->getTypeClass()) { 443 #define ABSTRACT_TYPE(Class, Parent) 444 #define TYPE(Class, Parent) \ 445 case Type::Class: { \ 446 const auto *Ty = cast<Class##Type>(CurTy); \ 447 if (!Ty->isSugared()) \ 448 return SplitQualType(Ty, Qs); \ 449 Cur = Ty->desugar(); \ 450 break; \ 451 } 452 #include "clang/AST/TypeNodes.inc" 453 } 454 } 455 } 456 457 SplitQualType QualType::getSplitUnqualifiedTypeImpl(QualType type) { 458 SplitQualType split = type.split(); 459 460 // All the qualifiers we've seen so far. 461 Qualifiers quals = split.Quals; 462 463 // The last type node we saw with any nodes inside it. 464 const Type *lastTypeWithQuals = split.Ty; 465 466 while (true) { 467 QualType next; 468 469 // Do a single-step desugar, aborting the loop if the type isn't 470 // sugared. 471 switch (split.Ty->getTypeClass()) { 472 #define ABSTRACT_TYPE(Class, Parent) 473 #define TYPE(Class, Parent) \ 474 case Type::Class: { \ 475 const auto *ty = cast<Class##Type>(split.Ty); \ 476 if (!ty->isSugared()) goto done; \ 477 next = ty->desugar(); \ 478 break; \ 479 } 480 #include "clang/AST/TypeNodes.inc" 481 } 482 483 // Otherwise, split the underlying type. If that yields qualifiers, 484 // update the information. 485 split = next.split(); 486 if (!split.Quals.empty()) { 487 lastTypeWithQuals = split.Ty; 488 quals.addConsistentQualifiers(split.Quals); 489 } 490 } 491 492 done: 493 return SplitQualType(lastTypeWithQuals, quals); 494 } 495 496 QualType QualType::IgnoreParens(QualType T) { 497 // FIXME: this seems inherently un-qualifiers-safe. 498 while (const auto *PT = T->getAs<ParenType>()) 499 T = PT->getInnerType(); 500 return T; 501 } 502 503 /// This will check for a T (which should be a Type which can act as 504 /// sugar, such as a TypedefType) by removing any existing sugar until it 505 /// reaches a T or a non-sugared type. 506 template<typename T> static const T *getAsSugar(const Type *Cur) { 507 while (true) { 508 if (const auto *Sugar = dyn_cast<T>(Cur)) 509 return Sugar; 510 switch (Cur->getTypeClass()) { 511 #define ABSTRACT_TYPE(Class, Parent) 512 #define TYPE(Class, Parent) \ 513 case Type::Class: { \ 514 const auto *Ty = cast<Class##Type>(Cur); \ 515 if (!Ty->isSugared()) return 0; \ 516 Cur = Ty->desugar().getTypePtr(); \ 517 break; \ 518 } 519 #include "clang/AST/TypeNodes.inc" 520 } 521 } 522 } 523 524 template <> const TypedefType *Type::getAs() const { 525 return getAsSugar<TypedefType>(this); 526 } 527 528 template <> const TemplateSpecializationType *Type::getAs() const { 529 return getAsSugar<TemplateSpecializationType>(this); 530 } 531 532 template <> const AttributedType *Type::getAs() const { 533 return getAsSugar<AttributedType>(this); 534 } 535 536 /// getUnqualifiedDesugaredType - Pull any qualifiers and syntactic 537 /// sugar off the given type. This should produce an object of the 538 /// same dynamic type as the canonical type. 539 const Type *Type::getUnqualifiedDesugaredType() const { 540 const Type *Cur = this; 541 542 while (true) { 543 switch (Cur->getTypeClass()) { 544 #define ABSTRACT_TYPE(Class, Parent) 545 #define TYPE(Class, Parent) \ 546 case Class: { \ 547 const auto *Ty = cast<Class##Type>(Cur); \ 548 if (!Ty->isSugared()) return Cur; \ 549 Cur = Ty->desugar().getTypePtr(); \ 550 break; \ 551 } 552 #include "clang/AST/TypeNodes.inc" 553 } 554 } 555 } 556 557 bool Type::isClassType() const { 558 if (const auto *RT = getAs<RecordType>()) 559 return RT->getDecl()->isClass(); 560 return false; 561 } 562 563 bool Type::isStructureType() const { 564 if (const auto *RT = getAs<RecordType>()) 565 return RT->getDecl()->isStruct(); 566 return false; 567 } 568 569 bool Type::isObjCBoxableRecordType() const { 570 if (const auto *RT = getAs<RecordType>()) 571 return RT->getDecl()->hasAttr<ObjCBoxableAttr>(); 572 return false; 573 } 574 575 bool Type::isInterfaceType() const { 576 if (const auto *RT = getAs<RecordType>()) 577 return RT->getDecl()->isInterface(); 578 return false; 579 } 580 581 bool Type::isStructureOrClassType() const { 582 if (const auto *RT = getAs<RecordType>()) { 583 RecordDecl *RD = RT->getDecl(); 584 return RD->isStruct() || RD->isClass() || RD->isInterface(); 585 } 586 return false; 587 } 588 589 bool Type::isVoidPointerType() const { 590 if (const auto *PT = getAs<PointerType>()) 591 return PT->getPointeeType()->isVoidType(); 592 return false; 593 } 594 595 bool Type::isUnionType() const { 596 if (const auto *RT = getAs<RecordType>()) 597 return RT->getDecl()->isUnion(); 598 return false; 599 } 600 601 bool Type::isComplexType() const { 602 if (const auto *CT = dyn_cast<ComplexType>(CanonicalType)) 603 return CT->getElementType()->isFloatingType(); 604 return false; 605 } 606 607 bool Type::isComplexIntegerType() const { 608 // Check for GCC complex integer extension. 609 return getAsComplexIntegerType(); 610 } 611 612 bool Type::isScopedEnumeralType() const { 613 if (const auto *ET = getAs<EnumType>()) 614 return ET->getDecl()->isScoped(); 615 return false; 616 } 617 618 const ComplexType *Type::getAsComplexIntegerType() const { 619 if (const auto *Complex = getAs<ComplexType>()) 620 if (Complex->getElementType()->isIntegerType()) 621 return Complex; 622 return nullptr; 623 } 624 625 QualType Type::getPointeeType() const { 626 if (const auto *PT = getAs<PointerType>()) 627 return PT->getPointeeType(); 628 if (const auto *OPT = getAs<ObjCObjectPointerType>()) 629 return OPT->getPointeeType(); 630 if (const auto *BPT = getAs<BlockPointerType>()) 631 return BPT->getPointeeType(); 632 if (const auto *RT = getAs<ReferenceType>()) 633 return RT->getPointeeType(); 634 if (const auto *MPT = getAs<MemberPointerType>()) 635 return MPT->getPointeeType(); 636 if (const auto *DT = getAs<DecayedType>()) 637 return DT->getPointeeType(); 638 return {}; 639 } 640 641 const RecordType *Type::getAsStructureType() const { 642 // If this is directly a structure type, return it. 643 if (const auto *RT = dyn_cast<RecordType>(this)) { 644 if (RT->getDecl()->isStruct()) 645 return RT; 646 } 647 648 // If the canonical form of this type isn't the right kind, reject it. 649 if (const auto *RT = dyn_cast<RecordType>(CanonicalType)) { 650 if (!RT->getDecl()->isStruct()) 651 return nullptr; 652 653 // If this is a typedef for a structure type, strip the typedef off without 654 // losing all typedef information. 655 return cast<RecordType>(getUnqualifiedDesugaredType()); 656 } 657 return nullptr; 658 } 659 660 const RecordType *Type::getAsUnionType() const { 661 // If this is directly a union type, return it. 662 if (const auto *RT = dyn_cast<RecordType>(this)) { 663 if (RT->getDecl()->isUnion()) 664 return RT; 665 } 666 667 // If the canonical form of this type isn't the right kind, reject it. 668 if (const auto *RT = dyn_cast<RecordType>(CanonicalType)) { 669 if (!RT->getDecl()->isUnion()) 670 return nullptr; 671 672 // If this is a typedef for a union type, strip the typedef off without 673 // losing all typedef information. 674 return cast<RecordType>(getUnqualifiedDesugaredType()); 675 } 676 677 return nullptr; 678 } 679 680 bool Type::isObjCIdOrObjectKindOfType(const ASTContext &ctx, 681 const ObjCObjectType *&bound) const { 682 bound = nullptr; 683 684 const auto *OPT = getAs<ObjCObjectPointerType>(); 685 if (!OPT) 686 return false; 687 688 // Easy case: id. 689 if (OPT->isObjCIdType()) 690 return true; 691 692 // If it's not a __kindof type, reject it now. 693 if (!OPT->isKindOfType()) 694 return false; 695 696 // If it's Class or qualified Class, it's not an object type. 697 if (OPT->isObjCClassType() || OPT->isObjCQualifiedClassType()) 698 return false; 699 700 // Figure out the type bound for the __kindof type. 701 bound = OPT->getObjectType()->stripObjCKindOfTypeAndQuals(ctx) 702 ->getAs<ObjCObjectType>(); 703 return true; 704 } 705 706 bool Type::isObjCClassOrClassKindOfType() const { 707 const auto *OPT = getAs<ObjCObjectPointerType>(); 708 if (!OPT) 709 return false; 710 711 // Easy case: Class. 712 if (OPT->isObjCClassType()) 713 return true; 714 715 // If it's not a __kindof type, reject it now. 716 if (!OPT->isKindOfType()) 717 return false; 718 719 // If it's Class or qualified Class, it's a class __kindof type. 720 return OPT->isObjCClassType() || OPT->isObjCQualifiedClassType(); 721 } 722 723 ObjCTypeParamType::ObjCTypeParamType(const ObjCTypeParamDecl *D, QualType can, 724 ArrayRef<ObjCProtocolDecl *> protocols) 725 : Type(ObjCTypeParam, can, 726 can->getDependence() & ~TypeDependence::UnexpandedPack), 727 OTPDecl(const_cast<ObjCTypeParamDecl *>(D)) { 728 initialize(protocols); 729 } 730 731 ObjCObjectType::ObjCObjectType(QualType Canonical, QualType Base, 732 ArrayRef<QualType> typeArgs, 733 ArrayRef<ObjCProtocolDecl *> protocols, 734 bool isKindOf) 735 : Type(ObjCObject, Canonical, Base->getDependence()), BaseType(Base) { 736 ObjCObjectTypeBits.IsKindOf = isKindOf; 737 738 ObjCObjectTypeBits.NumTypeArgs = typeArgs.size(); 739 assert(getTypeArgsAsWritten().size() == typeArgs.size() && 740 "bitfield overflow in type argument count"); 741 if (!typeArgs.empty()) 742 memcpy(getTypeArgStorage(), typeArgs.data(), 743 typeArgs.size() * sizeof(QualType)); 744 745 for (auto typeArg : typeArgs) { 746 addDependence(typeArg->getDependence() & ~TypeDependence::VariablyModified); 747 } 748 // Initialize the protocol qualifiers. The protocol storage is known 749 // after we set number of type arguments. 750 initialize(protocols); 751 } 752 753 bool ObjCObjectType::isSpecialized() const { 754 // If we have type arguments written here, the type is specialized. 755 if (ObjCObjectTypeBits.NumTypeArgs > 0) 756 return true; 757 758 // Otherwise, check whether the base type is specialized. 759 if (const auto objcObject = getBaseType()->getAs<ObjCObjectType>()) { 760 // Terminate when we reach an interface type. 761 if (isa<ObjCInterfaceType>(objcObject)) 762 return false; 763 764 return objcObject->isSpecialized(); 765 } 766 767 // Not specialized. 768 return false; 769 } 770 771 ArrayRef<QualType> ObjCObjectType::getTypeArgs() const { 772 // We have type arguments written on this type. 773 if (isSpecializedAsWritten()) 774 return getTypeArgsAsWritten(); 775 776 // Look at the base type, which might have type arguments. 777 if (const auto objcObject = getBaseType()->getAs<ObjCObjectType>()) { 778 // Terminate when we reach an interface type. 779 if (isa<ObjCInterfaceType>(objcObject)) 780 return {}; 781 782 return objcObject->getTypeArgs(); 783 } 784 785 // No type arguments. 786 return {}; 787 } 788 789 bool ObjCObjectType::isKindOfType() const { 790 if (isKindOfTypeAsWritten()) 791 return true; 792 793 // Look at the base type, which might have type arguments. 794 if (const auto objcObject = getBaseType()->getAs<ObjCObjectType>()) { 795 // Terminate when we reach an interface type. 796 if (isa<ObjCInterfaceType>(objcObject)) 797 return false; 798 799 return objcObject->isKindOfType(); 800 } 801 802 // Not a "__kindof" type. 803 return false; 804 } 805 806 QualType ObjCObjectType::stripObjCKindOfTypeAndQuals( 807 const ASTContext &ctx) const { 808 if (!isKindOfType() && qual_empty()) 809 return QualType(this, 0); 810 811 // Recursively strip __kindof. 812 SplitQualType splitBaseType = getBaseType().split(); 813 QualType baseType(splitBaseType.Ty, 0); 814 if (const auto *baseObj = splitBaseType.Ty->getAs<ObjCObjectType>()) 815 baseType = baseObj->stripObjCKindOfTypeAndQuals(ctx); 816 817 return ctx.getObjCObjectType(ctx.getQualifiedType(baseType, 818 splitBaseType.Quals), 819 getTypeArgsAsWritten(), 820 /*protocols=*/{}, 821 /*isKindOf=*/false); 822 } 823 824 ObjCInterfaceDecl *ObjCInterfaceType::getDecl() const { 825 ObjCInterfaceDecl *Canon = Decl->getCanonicalDecl(); 826 if (ObjCInterfaceDecl *Def = Canon->getDefinition()) 827 return Def; 828 return Canon; 829 } 830 831 const ObjCObjectPointerType *ObjCObjectPointerType::stripObjCKindOfTypeAndQuals( 832 const ASTContext &ctx) const { 833 if (!isKindOfType() && qual_empty()) 834 return this; 835 836 QualType obj = getObjectType()->stripObjCKindOfTypeAndQuals(ctx); 837 return ctx.getObjCObjectPointerType(obj)->castAs<ObjCObjectPointerType>(); 838 } 839 840 namespace { 841 842 /// Visitor used to perform a simple type transformation that does not change 843 /// the semantics of the type. 844 template <typename Derived> 845 struct SimpleTransformVisitor : public TypeVisitor<Derived, QualType> { 846 ASTContext &Ctx; 847 848 QualType recurse(QualType type) { 849 // Split out the qualifiers from the type. 850 SplitQualType splitType = type.split(); 851 852 // Visit the type itself. 853 QualType result = static_cast<Derived *>(this)->Visit(splitType.Ty); 854 if (result.isNull()) 855 return result; 856 857 // Reconstruct the transformed type by applying the local qualifiers 858 // from the split type. 859 return Ctx.getQualifiedType(result, splitType.Quals); 860 } 861 862 public: 863 explicit SimpleTransformVisitor(ASTContext &ctx) : Ctx(ctx) {} 864 865 // None of the clients of this transformation can occur where 866 // there are dependent types, so skip dependent types. 867 #define TYPE(Class, Base) 868 #define DEPENDENT_TYPE(Class, Base) \ 869 QualType Visit##Class##Type(const Class##Type *T) { return QualType(T, 0); } 870 #include "clang/AST/TypeNodes.inc" 871 872 #define TRIVIAL_TYPE_CLASS(Class) \ 873 QualType Visit##Class##Type(const Class##Type *T) { return QualType(T, 0); } 874 #define SUGARED_TYPE_CLASS(Class) \ 875 QualType Visit##Class##Type(const Class##Type *T) { \ 876 if (!T->isSugared()) \ 877 return QualType(T, 0); \ 878 QualType desugaredType = recurse(T->desugar()); \ 879 if (desugaredType.isNull()) \ 880 return {}; \ 881 if (desugaredType.getAsOpaquePtr() == T->desugar().getAsOpaquePtr()) \ 882 return QualType(T, 0); \ 883 return desugaredType; \ 884 } 885 886 TRIVIAL_TYPE_CLASS(Builtin) 887 888 QualType VisitComplexType(const ComplexType *T) { 889 QualType elementType = recurse(T->getElementType()); 890 if (elementType.isNull()) 891 return {}; 892 893 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 894 return QualType(T, 0); 895 896 return Ctx.getComplexType(elementType); 897 } 898 899 QualType VisitPointerType(const PointerType *T) { 900 QualType pointeeType = recurse(T->getPointeeType()); 901 if (pointeeType.isNull()) 902 return {}; 903 904 if (pointeeType.getAsOpaquePtr() == T->getPointeeType().getAsOpaquePtr()) 905 return QualType(T, 0); 906 907 return Ctx.getPointerType(pointeeType); 908 } 909 910 QualType VisitBlockPointerType(const BlockPointerType *T) { 911 QualType pointeeType = recurse(T->getPointeeType()); 912 if (pointeeType.isNull()) 913 return {}; 914 915 if (pointeeType.getAsOpaquePtr() == T->getPointeeType().getAsOpaquePtr()) 916 return QualType(T, 0); 917 918 return Ctx.getBlockPointerType(pointeeType); 919 } 920 921 QualType VisitLValueReferenceType(const LValueReferenceType *T) { 922 QualType pointeeType = recurse(T->getPointeeTypeAsWritten()); 923 if (pointeeType.isNull()) 924 return {}; 925 926 if (pointeeType.getAsOpaquePtr() 927 == T->getPointeeTypeAsWritten().getAsOpaquePtr()) 928 return QualType(T, 0); 929 930 return Ctx.getLValueReferenceType(pointeeType, T->isSpelledAsLValue()); 931 } 932 933 QualType VisitRValueReferenceType(const RValueReferenceType *T) { 934 QualType pointeeType = recurse(T->getPointeeTypeAsWritten()); 935 if (pointeeType.isNull()) 936 return {}; 937 938 if (pointeeType.getAsOpaquePtr() 939 == T->getPointeeTypeAsWritten().getAsOpaquePtr()) 940 return QualType(T, 0); 941 942 return Ctx.getRValueReferenceType(pointeeType); 943 } 944 945 QualType VisitMemberPointerType(const MemberPointerType *T) { 946 QualType pointeeType = recurse(T->getPointeeType()); 947 if (pointeeType.isNull()) 948 return {}; 949 950 if (pointeeType.getAsOpaquePtr() == T->getPointeeType().getAsOpaquePtr()) 951 return QualType(T, 0); 952 953 return Ctx.getMemberPointerType(pointeeType, T->getClass()); 954 } 955 956 QualType VisitConstantArrayType(const ConstantArrayType *T) { 957 QualType elementType = recurse(T->getElementType()); 958 if (elementType.isNull()) 959 return {}; 960 961 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 962 return QualType(T, 0); 963 964 return Ctx.getConstantArrayType(elementType, T->getSize(), T->getSizeExpr(), 965 T->getSizeModifier(), 966 T->getIndexTypeCVRQualifiers()); 967 } 968 969 QualType VisitVariableArrayType(const VariableArrayType *T) { 970 QualType elementType = recurse(T->getElementType()); 971 if (elementType.isNull()) 972 return {}; 973 974 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 975 return QualType(T, 0); 976 977 return Ctx.getVariableArrayType(elementType, T->getSizeExpr(), 978 T->getSizeModifier(), 979 T->getIndexTypeCVRQualifiers(), 980 T->getBracketsRange()); 981 } 982 983 QualType VisitIncompleteArrayType(const IncompleteArrayType *T) { 984 QualType elementType = recurse(T->getElementType()); 985 if (elementType.isNull()) 986 return {}; 987 988 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 989 return QualType(T, 0); 990 991 return Ctx.getIncompleteArrayType(elementType, T->getSizeModifier(), 992 T->getIndexTypeCVRQualifiers()); 993 } 994 995 QualType VisitVectorType(const VectorType *T) { 996 QualType elementType = recurse(T->getElementType()); 997 if (elementType.isNull()) 998 return {}; 999 1000 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 1001 return QualType(T, 0); 1002 1003 return Ctx.getVectorType(elementType, T->getNumElements(), 1004 T->getVectorKind()); 1005 } 1006 1007 QualType VisitExtVectorType(const ExtVectorType *T) { 1008 QualType elementType = recurse(T->getElementType()); 1009 if (elementType.isNull()) 1010 return {}; 1011 1012 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 1013 return QualType(T, 0); 1014 1015 return Ctx.getExtVectorType(elementType, T->getNumElements()); 1016 } 1017 1018 QualType VisitConstantMatrixType(const ConstantMatrixType *T) { 1019 QualType elementType = recurse(T->getElementType()); 1020 if (elementType.isNull()) 1021 return {}; 1022 if (elementType.getAsOpaquePtr() == T->getElementType().getAsOpaquePtr()) 1023 return QualType(T, 0); 1024 1025 return Ctx.getConstantMatrixType(elementType, T->getNumRows(), 1026 T->getNumColumns()); 1027 } 1028 1029 QualType VisitFunctionNoProtoType(const FunctionNoProtoType *T) { 1030 QualType returnType = recurse(T->getReturnType()); 1031 if (returnType.isNull()) 1032 return {}; 1033 1034 if (returnType.getAsOpaquePtr() == T->getReturnType().getAsOpaquePtr()) 1035 return QualType(T, 0); 1036 1037 return Ctx.getFunctionNoProtoType(returnType, T->getExtInfo()); 1038 } 1039 1040 QualType VisitFunctionProtoType(const FunctionProtoType *T) { 1041 QualType returnType = recurse(T->getReturnType()); 1042 if (returnType.isNull()) 1043 return {}; 1044 1045 // Transform parameter types. 1046 SmallVector<QualType, 4> paramTypes; 1047 bool paramChanged = false; 1048 for (auto paramType : T->getParamTypes()) { 1049 QualType newParamType = recurse(paramType); 1050 if (newParamType.isNull()) 1051 return {}; 1052 1053 if (newParamType.getAsOpaquePtr() != paramType.getAsOpaquePtr()) 1054 paramChanged = true; 1055 1056 paramTypes.push_back(newParamType); 1057 } 1058 1059 // Transform extended info. 1060 FunctionProtoType::ExtProtoInfo info = T->getExtProtoInfo(); 1061 bool exceptionChanged = false; 1062 if (info.ExceptionSpec.Type == EST_Dynamic) { 1063 SmallVector<QualType, 4> exceptionTypes; 1064 for (auto exceptionType : info.ExceptionSpec.Exceptions) { 1065 QualType newExceptionType = recurse(exceptionType); 1066 if (newExceptionType.isNull()) 1067 return {}; 1068 1069 if (newExceptionType.getAsOpaquePtr() != exceptionType.getAsOpaquePtr()) 1070 exceptionChanged = true; 1071 1072 exceptionTypes.push_back(newExceptionType); 1073 } 1074 1075 if (exceptionChanged) { 1076 info.ExceptionSpec.Exceptions = 1077 llvm::makeArrayRef(exceptionTypes).copy(Ctx); 1078 } 1079 } 1080 1081 if (returnType.getAsOpaquePtr() == T->getReturnType().getAsOpaquePtr() && 1082 !paramChanged && !exceptionChanged) 1083 return QualType(T, 0); 1084 1085 return Ctx.getFunctionType(returnType, paramTypes, info); 1086 } 1087 1088 QualType VisitParenType(const ParenType *T) { 1089 QualType innerType = recurse(T->getInnerType()); 1090 if (innerType.isNull()) 1091 return {}; 1092 1093 if (innerType.getAsOpaquePtr() == T->getInnerType().getAsOpaquePtr()) 1094 return QualType(T, 0); 1095 1096 return Ctx.getParenType(innerType); 1097 } 1098 1099 SUGARED_TYPE_CLASS(Typedef) 1100 SUGARED_TYPE_CLASS(ObjCTypeParam) 1101 SUGARED_TYPE_CLASS(MacroQualified) 1102 1103 QualType VisitAdjustedType(const AdjustedType *T) { 1104 QualType originalType = recurse(T->getOriginalType()); 1105 if (originalType.isNull()) 1106 return {}; 1107 1108 QualType adjustedType = recurse(T->getAdjustedType()); 1109 if (adjustedType.isNull()) 1110 return {}; 1111 1112 if (originalType.getAsOpaquePtr() 1113 == T->getOriginalType().getAsOpaquePtr() && 1114 adjustedType.getAsOpaquePtr() == T->getAdjustedType().getAsOpaquePtr()) 1115 return QualType(T, 0); 1116 1117 return Ctx.getAdjustedType(originalType, adjustedType); 1118 } 1119 1120 QualType VisitDecayedType(const DecayedType *T) { 1121 QualType originalType = recurse(T->getOriginalType()); 1122 if (originalType.isNull()) 1123 return {}; 1124 1125 if (originalType.getAsOpaquePtr() 1126 == T->getOriginalType().getAsOpaquePtr()) 1127 return QualType(T, 0); 1128 1129 return Ctx.getDecayedType(originalType); 1130 } 1131 1132 SUGARED_TYPE_CLASS(TypeOfExpr) 1133 SUGARED_TYPE_CLASS(TypeOf) 1134 SUGARED_TYPE_CLASS(Decltype) 1135 SUGARED_TYPE_CLASS(UnaryTransform) 1136 TRIVIAL_TYPE_CLASS(Record) 1137 TRIVIAL_TYPE_CLASS(Enum) 1138 1139 // FIXME: Non-trivial to implement, but important for C++ 1140 SUGARED_TYPE_CLASS(Elaborated) 1141 1142 QualType VisitAttributedType(const AttributedType *T) { 1143 QualType modifiedType = recurse(T->getModifiedType()); 1144 if (modifiedType.isNull()) 1145 return {}; 1146 1147 QualType equivalentType = recurse(T->getEquivalentType()); 1148 if (equivalentType.isNull()) 1149 return {}; 1150 1151 if (modifiedType.getAsOpaquePtr() 1152 == T->getModifiedType().getAsOpaquePtr() && 1153 equivalentType.getAsOpaquePtr() 1154 == T->getEquivalentType().getAsOpaquePtr()) 1155 return QualType(T, 0); 1156 1157 return Ctx.getAttributedType(T->getAttrKind(), modifiedType, 1158 equivalentType); 1159 } 1160 1161 QualType VisitSubstTemplateTypeParmType(const SubstTemplateTypeParmType *T) { 1162 QualType replacementType = recurse(T->getReplacementType()); 1163 if (replacementType.isNull()) 1164 return {}; 1165 1166 if (replacementType.getAsOpaquePtr() 1167 == T->getReplacementType().getAsOpaquePtr()) 1168 return QualType(T, 0); 1169 1170 return Ctx.getSubstTemplateTypeParmType(T->getReplacedParameter(), 1171 replacementType); 1172 } 1173 1174 // FIXME: Non-trivial to implement, but important for C++ 1175 SUGARED_TYPE_CLASS(TemplateSpecialization) 1176 1177 QualType VisitAutoType(const AutoType *T) { 1178 if (!T->isDeduced()) 1179 return QualType(T, 0); 1180 1181 QualType deducedType = recurse(T->getDeducedType()); 1182 if (deducedType.isNull()) 1183 return {}; 1184 1185 if (deducedType.getAsOpaquePtr() 1186 == T->getDeducedType().getAsOpaquePtr()) 1187 return QualType(T, 0); 1188 1189 return Ctx.getAutoType(deducedType, T->getKeyword(), 1190 T->isDependentType(), /*IsPack=*/false, 1191 T->getTypeConstraintConcept(), 1192 T->getTypeConstraintArguments()); 1193 } 1194 1195 QualType VisitObjCObjectType(const ObjCObjectType *T) { 1196 QualType baseType = recurse(T->getBaseType()); 1197 if (baseType.isNull()) 1198 return {}; 1199 1200 // Transform type arguments. 1201 bool typeArgChanged = false; 1202 SmallVector<QualType, 4> typeArgs; 1203 for (auto typeArg : T->getTypeArgsAsWritten()) { 1204 QualType newTypeArg = recurse(typeArg); 1205 if (newTypeArg.isNull()) 1206 return {}; 1207 1208 if (newTypeArg.getAsOpaquePtr() != typeArg.getAsOpaquePtr()) 1209 typeArgChanged = true; 1210 1211 typeArgs.push_back(newTypeArg); 1212 } 1213 1214 if (baseType.getAsOpaquePtr() == T->getBaseType().getAsOpaquePtr() && 1215 !typeArgChanged) 1216 return QualType(T, 0); 1217 1218 return Ctx.getObjCObjectType(baseType, typeArgs, 1219 llvm::makeArrayRef(T->qual_begin(), 1220 T->getNumProtocols()), 1221 T->isKindOfTypeAsWritten()); 1222 } 1223 1224 TRIVIAL_TYPE_CLASS(ObjCInterface) 1225 1226 QualType VisitObjCObjectPointerType(const ObjCObjectPointerType *T) { 1227 QualType pointeeType = recurse(T->getPointeeType()); 1228 if (pointeeType.isNull()) 1229 return {}; 1230 1231 if (pointeeType.getAsOpaquePtr() 1232 == T->getPointeeType().getAsOpaquePtr()) 1233 return QualType(T, 0); 1234 1235 return Ctx.getObjCObjectPointerType(pointeeType); 1236 } 1237 1238 QualType VisitAtomicType(const AtomicType *T) { 1239 QualType valueType = recurse(T->getValueType()); 1240 if (valueType.isNull()) 1241 return {}; 1242 1243 if (valueType.getAsOpaquePtr() 1244 == T->getValueType().getAsOpaquePtr()) 1245 return QualType(T, 0); 1246 1247 return Ctx.getAtomicType(valueType); 1248 } 1249 1250 #undef TRIVIAL_TYPE_CLASS 1251 #undef SUGARED_TYPE_CLASS 1252 }; 1253 1254 struct SubstObjCTypeArgsVisitor 1255 : public SimpleTransformVisitor<SubstObjCTypeArgsVisitor> { 1256 using BaseType = SimpleTransformVisitor<SubstObjCTypeArgsVisitor>; 1257 1258 ArrayRef<QualType> TypeArgs; 1259 ObjCSubstitutionContext SubstContext; 1260 1261 SubstObjCTypeArgsVisitor(ASTContext &ctx, ArrayRef<QualType> typeArgs, 1262 ObjCSubstitutionContext context) 1263 : BaseType(ctx), TypeArgs(typeArgs), SubstContext(context) {} 1264 1265 QualType VisitObjCTypeParamType(const ObjCTypeParamType *OTPTy) { 1266 // Replace an Objective-C type parameter reference with the corresponding 1267 // type argument. 1268 ObjCTypeParamDecl *typeParam = OTPTy->getDecl(); 1269 // If we have type arguments, use them. 1270 if (!TypeArgs.empty()) { 1271 QualType argType = TypeArgs[typeParam->getIndex()]; 1272 if (OTPTy->qual_empty()) 1273 return argType; 1274 1275 // Apply protocol lists if exists. 1276 bool hasError; 1277 SmallVector<ObjCProtocolDecl *, 8> protocolsVec; 1278 protocolsVec.append(OTPTy->qual_begin(), OTPTy->qual_end()); 1279 ArrayRef<ObjCProtocolDecl *> protocolsToApply = protocolsVec; 1280 return Ctx.applyObjCProtocolQualifiers( 1281 argType, protocolsToApply, hasError, true/*allowOnPointerType*/); 1282 } 1283 1284 switch (SubstContext) { 1285 case ObjCSubstitutionContext::Ordinary: 1286 case ObjCSubstitutionContext::Parameter: 1287 case ObjCSubstitutionContext::Superclass: 1288 // Substitute the bound. 1289 return typeParam->getUnderlyingType(); 1290 1291 case ObjCSubstitutionContext::Result: 1292 case ObjCSubstitutionContext::Property: { 1293 // Substitute the __kindof form of the underlying type. 1294 const auto *objPtr = 1295 typeParam->getUnderlyingType()->castAs<ObjCObjectPointerType>(); 1296 1297 // __kindof types, id, and Class don't need an additional 1298 // __kindof. 1299 if (objPtr->isKindOfType() || objPtr->isObjCIdOrClassType()) 1300 return typeParam->getUnderlyingType(); 1301 1302 // Add __kindof. 1303 const auto *obj = objPtr->getObjectType(); 1304 QualType resultTy = Ctx.getObjCObjectType( 1305 obj->getBaseType(), obj->getTypeArgsAsWritten(), obj->getProtocols(), 1306 /*isKindOf=*/true); 1307 1308 // Rebuild object pointer type. 1309 return Ctx.getObjCObjectPointerType(resultTy); 1310 } 1311 } 1312 llvm_unreachable("Unexpected ObjCSubstitutionContext!"); 1313 } 1314 1315 QualType VisitFunctionType(const FunctionType *funcType) { 1316 // If we have a function type, update the substitution context 1317 // appropriately. 1318 1319 //Substitute result type. 1320 QualType returnType = funcType->getReturnType().substObjCTypeArgs( 1321 Ctx, TypeArgs, ObjCSubstitutionContext::Result); 1322 if (returnType.isNull()) 1323 return {}; 1324 1325 // Handle non-prototyped functions, which only substitute into the result 1326 // type. 1327 if (isa<FunctionNoProtoType>(funcType)) { 1328 // If the return type was unchanged, do nothing. 1329 if (returnType.getAsOpaquePtr() == 1330 funcType->getReturnType().getAsOpaquePtr()) 1331 return BaseType::VisitFunctionType(funcType); 1332 1333 // Otherwise, build a new type. 1334 return Ctx.getFunctionNoProtoType(returnType, funcType->getExtInfo()); 1335 } 1336 1337 const auto *funcProtoType = cast<FunctionProtoType>(funcType); 1338 1339 // Transform parameter types. 1340 SmallVector<QualType, 4> paramTypes; 1341 bool paramChanged = false; 1342 for (auto paramType : funcProtoType->getParamTypes()) { 1343 QualType newParamType = paramType.substObjCTypeArgs( 1344 Ctx, TypeArgs, ObjCSubstitutionContext::Parameter); 1345 if (newParamType.isNull()) 1346 return {}; 1347 1348 if (newParamType.getAsOpaquePtr() != paramType.getAsOpaquePtr()) 1349 paramChanged = true; 1350 1351 paramTypes.push_back(newParamType); 1352 } 1353 1354 // Transform extended info. 1355 FunctionProtoType::ExtProtoInfo info = funcProtoType->getExtProtoInfo(); 1356 bool exceptionChanged = false; 1357 if (info.ExceptionSpec.Type == EST_Dynamic) { 1358 SmallVector<QualType, 4> exceptionTypes; 1359 for (auto exceptionType : info.ExceptionSpec.Exceptions) { 1360 QualType newExceptionType = exceptionType.substObjCTypeArgs( 1361 Ctx, TypeArgs, ObjCSubstitutionContext::Ordinary); 1362 if (newExceptionType.isNull()) 1363 return {}; 1364 1365 if (newExceptionType.getAsOpaquePtr() != exceptionType.getAsOpaquePtr()) 1366 exceptionChanged = true; 1367 1368 exceptionTypes.push_back(newExceptionType); 1369 } 1370 1371 if (exceptionChanged) { 1372 info.ExceptionSpec.Exceptions = 1373 llvm::makeArrayRef(exceptionTypes).copy(Ctx); 1374 } 1375 } 1376 1377 if (returnType.getAsOpaquePtr() == 1378 funcProtoType->getReturnType().getAsOpaquePtr() && 1379 !paramChanged && !exceptionChanged) 1380 return BaseType::VisitFunctionType(funcType); 1381 1382 return Ctx.getFunctionType(returnType, paramTypes, info); 1383 } 1384 1385 QualType VisitObjCObjectType(const ObjCObjectType *objcObjectType) { 1386 // Substitute into the type arguments of a specialized Objective-C object 1387 // type. 1388 if (objcObjectType->isSpecializedAsWritten()) { 1389 SmallVector<QualType, 4> newTypeArgs; 1390 bool anyChanged = false; 1391 for (auto typeArg : objcObjectType->getTypeArgsAsWritten()) { 1392 QualType newTypeArg = typeArg.substObjCTypeArgs( 1393 Ctx, TypeArgs, ObjCSubstitutionContext::Ordinary); 1394 if (newTypeArg.isNull()) 1395 return {}; 1396 1397 if (newTypeArg.getAsOpaquePtr() != typeArg.getAsOpaquePtr()) { 1398 // If we're substituting based on an unspecialized context type, 1399 // produce an unspecialized type. 1400 ArrayRef<ObjCProtocolDecl *> protocols( 1401 objcObjectType->qual_begin(), objcObjectType->getNumProtocols()); 1402 if (TypeArgs.empty() && 1403 SubstContext != ObjCSubstitutionContext::Superclass) { 1404 return Ctx.getObjCObjectType( 1405 objcObjectType->getBaseType(), {}, protocols, 1406 objcObjectType->isKindOfTypeAsWritten()); 1407 } 1408 1409 anyChanged = true; 1410 } 1411 1412 newTypeArgs.push_back(newTypeArg); 1413 } 1414 1415 if (anyChanged) { 1416 ArrayRef<ObjCProtocolDecl *> protocols( 1417 objcObjectType->qual_begin(), objcObjectType->getNumProtocols()); 1418 return Ctx.getObjCObjectType(objcObjectType->getBaseType(), newTypeArgs, 1419 protocols, 1420 objcObjectType->isKindOfTypeAsWritten()); 1421 } 1422 } 1423 1424 return BaseType::VisitObjCObjectType(objcObjectType); 1425 } 1426 1427 QualType VisitAttributedType(const AttributedType *attrType) { 1428 QualType newType = BaseType::VisitAttributedType(attrType); 1429 if (newType.isNull()) 1430 return {}; 1431 1432 const auto *newAttrType = dyn_cast<AttributedType>(newType.getTypePtr()); 1433 if (!newAttrType || newAttrType->getAttrKind() != attr::ObjCKindOf) 1434 return newType; 1435 1436 // Find out if it's an Objective-C object or object pointer type; 1437 QualType newEquivType = newAttrType->getEquivalentType(); 1438 const ObjCObjectPointerType *ptrType = 1439 newEquivType->getAs<ObjCObjectPointerType>(); 1440 const ObjCObjectType *objType = ptrType 1441 ? ptrType->getObjectType() 1442 : newEquivType->getAs<ObjCObjectType>(); 1443 if (!objType) 1444 return newType; 1445 1446 // Rebuild the "equivalent" type, which pushes __kindof down into 1447 // the object type. 1448 newEquivType = Ctx.getObjCObjectType( 1449 objType->getBaseType(), objType->getTypeArgsAsWritten(), 1450 objType->getProtocols(), 1451 // There is no need to apply kindof on an unqualified id type. 1452 /*isKindOf=*/objType->isObjCUnqualifiedId() ? false : true); 1453 1454 // If we started with an object pointer type, rebuild it. 1455 if (ptrType) 1456 newEquivType = Ctx.getObjCObjectPointerType(newEquivType); 1457 1458 // Rebuild the attributed type. 1459 return Ctx.getAttributedType(newAttrType->getAttrKind(), 1460 newAttrType->getModifiedType(), newEquivType); 1461 } 1462 }; 1463 1464 struct StripObjCKindOfTypeVisitor 1465 : public SimpleTransformVisitor<StripObjCKindOfTypeVisitor> { 1466 using BaseType = SimpleTransformVisitor<StripObjCKindOfTypeVisitor>; 1467 1468 explicit StripObjCKindOfTypeVisitor(ASTContext &ctx) : BaseType(ctx) {} 1469 1470 QualType VisitObjCObjectType(const ObjCObjectType *objType) { 1471 if (!objType->isKindOfType()) 1472 return BaseType::VisitObjCObjectType(objType); 1473 1474 QualType baseType = objType->getBaseType().stripObjCKindOfType(Ctx); 1475 return Ctx.getObjCObjectType(baseType, objType->getTypeArgsAsWritten(), 1476 objType->getProtocols(), 1477 /*isKindOf=*/false); 1478 } 1479 }; 1480 1481 } // namespace 1482 1483 /// Substitute the given type arguments for Objective-C type 1484 /// parameters within the given type, recursively. 1485 QualType QualType::substObjCTypeArgs(ASTContext &ctx, 1486 ArrayRef<QualType> typeArgs, 1487 ObjCSubstitutionContext context) const { 1488 SubstObjCTypeArgsVisitor visitor(ctx, typeArgs, context); 1489 return visitor.recurse(*this); 1490 } 1491 1492 QualType QualType::substObjCMemberType(QualType objectType, 1493 const DeclContext *dc, 1494 ObjCSubstitutionContext context) const { 1495 if (auto subs = objectType->getObjCSubstitutions(dc)) 1496 return substObjCTypeArgs(dc->getParentASTContext(), *subs, context); 1497 1498 return *this; 1499 } 1500 1501 QualType QualType::stripObjCKindOfType(const ASTContext &constCtx) const { 1502 // FIXME: Because ASTContext::getAttributedType() is non-const. 1503 auto &ctx = const_cast<ASTContext &>(constCtx); 1504 StripObjCKindOfTypeVisitor visitor(ctx); 1505 return visitor.recurse(*this); 1506 } 1507 1508 QualType QualType::getAtomicUnqualifiedType() const { 1509 if (const auto AT = getTypePtr()->getAs<AtomicType>()) 1510 return AT->getValueType().getUnqualifiedType(); 1511 return getUnqualifiedType(); 1512 } 1513 1514 Optional<ArrayRef<QualType>> Type::getObjCSubstitutions( 1515 const DeclContext *dc) const { 1516 // Look through method scopes. 1517 if (const auto method = dyn_cast<ObjCMethodDecl>(dc)) 1518 dc = method->getDeclContext(); 1519 1520 // Find the class or category in which the type we're substituting 1521 // was declared. 1522 const auto *dcClassDecl = dyn_cast<ObjCInterfaceDecl>(dc); 1523 const ObjCCategoryDecl *dcCategoryDecl = nullptr; 1524 ObjCTypeParamList *dcTypeParams = nullptr; 1525 if (dcClassDecl) { 1526 // If the class does not have any type parameters, there's no 1527 // substitution to do. 1528 dcTypeParams = dcClassDecl->getTypeParamList(); 1529 if (!dcTypeParams) 1530 return None; 1531 } else { 1532 // If we are in neither a class nor a category, there's no 1533 // substitution to perform. 1534 dcCategoryDecl = dyn_cast<ObjCCategoryDecl>(dc); 1535 if (!dcCategoryDecl) 1536 return None; 1537 1538 // If the category does not have any type parameters, there's no 1539 // substitution to do. 1540 dcTypeParams = dcCategoryDecl->getTypeParamList(); 1541 if (!dcTypeParams) 1542 return None; 1543 1544 dcClassDecl = dcCategoryDecl->getClassInterface(); 1545 if (!dcClassDecl) 1546 return None; 1547 } 1548 assert(dcTypeParams && "No substitutions to perform"); 1549 assert(dcClassDecl && "No class context"); 1550 1551 // Find the underlying object type. 1552 const ObjCObjectType *objectType; 1553 if (const auto *objectPointerType = getAs<ObjCObjectPointerType>()) { 1554 objectType = objectPointerType->getObjectType(); 1555 } else if (getAs<BlockPointerType>()) { 1556 ASTContext &ctx = dc->getParentASTContext(); 1557 objectType = ctx.getObjCObjectType(ctx.ObjCBuiltinIdTy, {}, {}) 1558 ->castAs<ObjCObjectType>(); 1559 } else { 1560 objectType = getAs<ObjCObjectType>(); 1561 } 1562 1563 /// Extract the class from the receiver object type. 1564 ObjCInterfaceDecl *curClassDecl = objectType ? objectType->getInterface() 1565 : nullptr; 1566 if (!curClassDecl) { 1567 // If we don't have a context type (e.g., this is "id" or some 1568 // variant thereof), substitute the bounds. 1569 return llvm::ArrayRef<QualType>(); 1570 } 1571 1572 // Follow the superclass chain until we've mapped the receiver type 1573 // to the same class as the context. 1574 while (curClassDecl != dcClassDecl) { 1575 // Map to the superclass type. 1576 QualType superType = objectType->getSuperClassType(); 1577 if (superType.isNull()) { 1578 objectType = nullptr; 1579 break; 1580 } 1581 1582 objectType = superType->castAs<ObjCObjectType>(); 1583 curClassDecl = objectType->getInterface(); 1584 } 1585 1586 // If we don't have a receiver type, or the receiver type does not 1587 // have type arguments, substitute in the defaults. 1588 if (!objectType || objectType->isUnspecialized()) { 1589 return llvm::ArrayRef<QualType>(); 1590 } 1591 1592 // The receiver type has the type arguments we want. 1593 return objectType->getTypeArgs(); 1594 } 1595 1596 bool Type::acceptsObjCTypeParams() const { 1597 if (auto *IfaceT = getAsObjCInterfaceType()) { 1598 if (auto *ID = IfaceT->getInterface()) { 1599 if (ID->getTypeParamList()) 1600 return true; 1601 } 1602 } 1603 1604 return false; 1605 } 1606 1607 void ObjCObjectType::computeSuperClassTypeSlow() const { 1608 // Retrieve the class declaration for this type. If there isn't one 1609 // (e.g., this is some variant of "id" or "Class"), then there is no 1610 // superclass type. 1611 ObjCInterfaceDecl *classDecl = getInterface(); 1612 if (!classDecl) { 1613 CachedSuperClassType.setInt(true); 1614 return; 1615 } 1616 1617 // Extract the superclass type. 1618 const ObjCObjectType *superClassObjTy = classDecl->getSuperClassType(); 1619 if (!superClassObjTy) { 1620 CachedSuperClassType.setInt(true); 1621 return; 1622 } 1623 1624 ObjCInterfaceDecl *superClassDecl = superClassObjTy->getInterface(); 1625 if (!superClassDecl) { 1626 CachedSuperClassType.setInt(true); 1627 return; 1628 } 1629 1630 // If the superclass doesn't have type parameters, then there is no 1631 // substitution to perform. 1632 QualType superClassType(superClassObjTy, 0); 1633 ObjCTypeParamList *superClassTypeParams = superClassDecl->getTypeParamList(); 1634 if (!superClassTypeParams) { 1635 CachedSuperClassType.setPointerAndInt( 1636 superClassType->castAs<ObjCObjectType>(), true); 1637 return; 1638 } 1639 1640 // If the superclass reference is unspecialized, return it. 1641 if (superClassObjTy->isUnspecialized()) { 1642 CachedSuperClassType.setPointerAndInt(superClassObjTy, true); 1643 return; 1644 } 1645 1646 // If the subclass is not parameterized, there aren't any type 1647 // parameters in the superclass reference to substitute. 1648 ObjCTypeParamList *typeParams = classDecl->getTypeParamList(); 1649 if (!typeParams) { 1650 CachedSuperClassType.setPointerAndInt( 1651 superClassType->castAs<ObjCObjectType>(), true); 1652 return; 1653 } 1654 1655 // If the subclass type isn't specialized, return the unspecialized 1656 // superclass. 1657 if (isUnspecialized()) { 1658 QualType unspecializedSuper 1659 = classDecl->getASTContext().getObjCInterfaceType( 1660 superClassObjTy->getInterface()); 1661 CachedSuperClassType.setPointerAndInt( 1662 unspecializedSuper->castAs<ObjCObjectType>(), 1663 true); 1664 return; 1665 } 1666 1667 // Substitute the provided type arguments into the superclass type. 1668 ArrayRef<QualType> typeArgs = getTypeArgs(); 1669 assert(typeArgs.size() == typeParams->size()); 1670 CachedSuperClassType.setPointerAndInt( 1671 superClassType.substObjCTypeArgs(classDecl->getASTContext(), typeArgs, 1672 ObjCSubstitutionContext::Superclass) 1673 ->castAs<ObjCObjectType>(), 1674 true); 1675 } 1676 1677 const ObjCInterfaceType *ObjCObjectPointerType::getInterfaceType() const { 1678 if (auto interfaceDecl = getObjectType()->getInterface()) { 1679 return interfaceDecl->getASTContext().getObjCInterfaceType(interfaceDecl) 1680 ->castAs<ObjCInterfaceType>(); 1681 } 1682 1683 return nullptr; 1684 } 1685 1686 QualType ObjCObjectPointerType::getSuperClassType() const { 1687 QualType superObjectType = getObjectType()->getSuperClassType(); 1688 if (superObjectType.isNull()) 1689 return superObjectType; 1690 1691 ASTContext &ctx = getInterfaceDecl()->getASTContext(); 1692 return ctx.getObjCObjectPointerType(superObjectType); 1693 } 1694 1695 const ObjCObjectType *Type::getAsObjCQualifiedInterfaceType() const { 1696 // There is no sugar for ObjCObjectType's, just return the canonical 1697 // type pointer if it is the right class. There is no typedef information to 1698 // return and these cannot be Address-space qualified. 1699 if (const auto *T = getAs<ObjCObjectType>()) 1700 if (T->getNumProtocols() && T->getInterface()) 1701 return T; 1702 return nullptr; 1703 } 1704 1705 bool Type::isObjCQualifiedInterfaceType() const { 1706 return getAsObjCQualifiedInterfaceType() != nullptr; 1707 } 1708 1709 const ObjCObjectPointerType *Type::getAsObjCQualifiedIdType() const { 1710 // There is no sugar for ObjCQualifiedIdType's, just return the canonical 1711 // type pointer if it is the right class. 1712 if (const auto *OPT = getAs<ObjCObjectPointerType>()) { 1713 if (OPT->isObjCQualifiedIdType()) 1714 return OPT; 1715 } 1716 return nullptr; 1717 } 1718 1719 const ObjCObjectPointerType *Type::getAsObjCQualifiedClassType() const { 1720 // There is no sugar for ObjCQualifiedClassType's, just return the canonical 1721 // type pointer if it is the right class. 1722 if (const auto *OPT = getAs<ObjCObjectPointerType>()) { 1723 if (OPT->isObjCQualifiedClassType()) 1724 return OPT; 1725 } 1726 return nullptr; 1727 } 1728 1729 const ObjCObjectType *Type::getAsObjCInterfaceType() const { 1730 if (const auto *OT = getAs<ObjCObjectType>()) { 1731 if (OT->getInterface()) 1732 return OT; 1733 } 1734 return nullptr; 1735 } 1736 1737 const ObjCObjectPointerType *Type::getAsObjCInterfacePointerType() const { 1738 if (const auto *OPT = getAs<ObjCObjectPointerType>()) { 1739 if (OPT->getInterfaceType()) 1740 return OPT; 1741 } 1742 return nullptr; 1743 } 1744 1745 const CXXRecordDecl *Type::getPointeeCXXRecordDecl() const { 1746 QualType PointeeType; 1747 if (const auto *PT = getAs<PointerType>()) 1748 PointeeType = PT->getPointeeType(); 1749 else if (const auto *RT = getAs<ReferenceType>()) 1750 PointeeType = RT->getPointeeType(); 1751 else 1752 return nullptr; 1753 1754 if (const auto *RT = PointeeType->getAs<RecordType>()) 1755 return dyn_cast<CXXRecordDecl>(RT->getDecl()); 1756 1757 return nullptr; 1758 } 1759 1760 CXXRecordDecl *Type::getAsCXXRecordDecl() const { 1761 return dyn_cast_or_null<CXXRecordDecl>(getAsTagDecl()); 1762 } 1763 1764 RecordDecl *Type::getAsRecordDecl() const { 1765 return dyn_cast_or_null<RecordDecl>(getAsTagDecl()); 1766 } 1767 1768 TagDecl *Type::getAsTagDecl() const { 1769 if (const auto *TT = getAs<TagType>()) 1770 return TT->getDecl(); 1771 if (const auto *Injected = getAs<InjectedClassNameType>()) 1772 return Injected->getDecl(); 1773 1774 return nullptr; 1775 } 1776 1777 bool Type::hasAttr(attr::Kind AK) const { 1778 const Type *Cur = this; 1779 while (const auto *AT = Cur->getAs<AttributedType>()) { 1780 if (AT->getAttrKind() == AK) 1781 return true; 1782 Cur = AT->getEquivalentType().getTypePtr(); 1783 } 1784 return false; 1785 } 1786 1787 namespace { 1788 1789 class GetContainedDeducedTypeVisitor : 1790 public TypeVisitor<GetContainedDeducedTypeVisitor, Type*> { 1791 bool Syntactic; 1792 1793 public: 1794 GetContainedDeducedTypeVisitor(bool Syntactic = false) 1795 : Syntactic(Syntactic) {} 1796 1797 using TypeVisitor<GetContainedDeducedTypeVisitor, Type*>::Visit; 1798 1799 Type *Visit(QualType T) { 1800 if (T.isNull()) 1801 return nullptr; 1802 return Visit(T.getTypePtr()); 1803 } 1804 1805 // The deduced type itself. 1806 Type *VisitDeducedType(const DeducedType *AT) { 1807 return const_cast<DeducedType*>(AT); 1808 } 1809 1810 // Only these types can contain the desired 'auto' type. 1811 Type *VisitSubstTemplateTypeParmType(const SubstTemplateTypeParmType *T) { 1812 return Visit(T->getReplacementType()); 1813 } 1814 1815 Type *VisitElaboratedType(const ElaboratedType *T) { 1816 return Visit(T->getNamedType()); 1817 } 1818 1819 Type *VisitPointerType(const PointerType *T) { 1820 return Visit(T->getPointeeType()); 1821 } 1822 1823 Type *VisitBlockPointerType(const BlockPointerType *T) { 1824 return Visit(T->getPointeeType()); 1825 } 1826 1827 Type *VisitReferenceType(const ReferenceType *T) { 1828 return Visit(T->getPointeeTypeAsWritten()); 1829 } 1830 1831 Type *VisitMemberPointerType(const MemberPointerType *T) { 1832 return Visit(T->getPointeeType()); 1833 } 1834 1835 Type *VisitArrayType(const ArrayType *T) { 1836 return Visit(T->getElementType()); 1837 } 1838 1839 Type *VisitDependentSizedExtVectorType( 1840 const DependentSizedExtVectorType *T) { 1841 return Visit(T->getElementType()); 1842 } 1843 1844 Type *VisitVectorType(const VectorType *T) { 1845 return Visit(T->getElementType()); 1846 } 1847 1848 Type *VisitDependentSizedMatrixType(const DependentSizedMatrixType *T) { 1849 return Visit(T->getElementType()); 1850 } 1851 1852 Type *VisitConstantMatrixType(const ConstantMatrixType *T) { 1853 return Visit(T->getElementType()); 1854 } 1855 1856 Type *VisitFunctionProtoType(const FunctionProtoType *T) { 1857 if (Syntactic && T->hasTrailingReturn()) 1858 return const_cast<FunctionProtoType*>(T); 1859 return VisitFunctionType(T); 1860 } 1861 1862 Type *VisitFunctionType(const FunctionType *T) { 1863 return Visit(T->getReturnType()); 1864 } 1865 1866 Type *VisitParenType(const ParenType *T) { 1867 return Visit(T->getInnerType()); 1868 } 1869 1870 Type *VisitAttributedType(const AttributedType *T) { 1871 return Visit(T->getModifiedType()); 1872 } 1873 1874 Type *VisitMacroQualifiedType(const MacroQualifiedType *T) { 1875 return Visit(T->getUnderlyingType()); 1876 } 1877 1878 Type *VisitAdjustedType(const AdjustedType *T) { 1879 return Visit(T->getOriginalType()); 1880 } 1881 1882 Type *VisitPackExpansionType(const PackExpansionType *T) { 1883 return Visit(T->getPattern()); 1884 } 1885 }; 1886 1887 } // namespace 1888 1889 DeducedType *Type::getContainedDeducedType() const { 1890 return cast_or_null<DeducedType>( 1891 GetContainedDeducedTypeVisitor().Visit(this)); 1892 } 1893 1894 bool Type::hasAutoForTrailingReturnType() const { 1895 return isa_and_nonnull<FunctionType>( 1896 GetContainedDeducedTypeVisitor(true).Visit(this)); 1897 } 1898 1899 bool Type::hasIntegerRepresentation() const { 1900 if (const auto *VT = dyn_cast<VectorType>(CanonicalType)) 1901 return VT->getElementType()->isIntegerType(); 1902 else 1903 return isIntegerType(); 1904 } 1905 1906 /// Determine whether this type is an integral type. 1907 /// 1908 /// This routine determines whether the given type is an integral type per 1909 /// C++ [basic.fundamental]p7. Although the C standard does not define the 1910 /// term "integral type", it has a similar term "integer type", and in C++ 1911 /// the two terms are equivalent. However, C's "integer type" includes 1912 /// enumeration types, while C++'s "integer type" does not. The \c ASTContext 1913 /// parameter is used to determine whether we should be following the C or 1914 /// C++ rules when determining whether this type is an integral/integer type. 1915 /// 1916 /// For cases where C permits "an integer type" and C++ permits "an integral 1917 /// type", use this routine. 1918 /// 1919 /// For cases where C permits "an integer type" and C++ permits "an integral 1920 /// or enumeration type", use \c isIntegralOrEnumerationType() instead. 1921 /// 1922 /// \param Ctx The context in which this type occurs. 1923 /// 1924 /// \returns true if the type is considered an integral type, false otherwise. 1925 bool Type::isIntegralType(const ASTContext &Ctx) const { 1926 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1927 return BT->getKind() >= BuiltinType::Bool && 1928 BT->getKind() <= BuiltinType::Int128; 1929 1930 // Complete enum types are integral in C. 1931 if (!Ctx.getLangOpts().CPlusPlus) 1932 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) 1933 return ET->getDecl()->isComplete(); 1934 1935 return isBitIntType(); 1936 } 1937 1938 bool Type::isIntegralOrUnscopedEnumerationType() const { 1939 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1940 return BT->getKind() >= BuiltinType::Bool && 1941 BT->getKind() <= BuiltinType::Int128; 1942 1943 if (isBitIntType()) 1944 return true; 1945 1946 return isUnscopedEnumerationType(); 1947 } 1948 1949 bool Type::isUnscopedEnumerationType() const { 1950 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) 1951 return !ET->getDecl()->isScoped(); 1952 1953 return false; 1954 } 1955 1956 bool Type::isCharType() const { 1957 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1958 return BT->getKind() == BuiltinType::Char_U || 1959 BT->getKind() == BuiltinType::UChar || 1960 BT->getKind() == BuiltinType::Char_S || 1961 BT->getKind() == BuiltinType::SChar; 1962 return false; 1963 } 1964 1965 bool Type::isWideCharType() const { 1966 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1967 return BT->getKind() == BuiltinType::WChar_S || 1968 BT->getKind() == BuiltinType::WChar_U; 1969 return false; 1970 } 1971 1972 bool Type::isChar8Type() const { 1973 if (const BuiltinType *BT = dyn_cast<BuiltinType>(CanonicalType)) 1974 return BT->getKind() == BuiltinType::Char8; 1975 return false; 1976 } 1977 1978 bool Type::isChar16Type() const { 1979 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1980 return BT->getKind() == BuiltinType::Char16; 1981 return false; 1982 } 1983 1984 bool Type::isChar32Type() const { 1985 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 1986 return BT->getKind() == BuiltinType::Char32; 1987 return false; 1988 } 1989 1990 /// Determine whether this type is any of the built-in character 1991 /// types. 1992 bool Type::isAnyCharacterType() const { 1993 const auto *BT = dyn_cast<BuiltinType>(CanonicalType); 1994 if (!BT) return false; 1995 switch (BT->getKind()) { 1996 default: return false; 1997 case BuiltinType::Char_U: 1998 case BuiltinType::UChar: 1999 case BuiltinType::WChar_U: 2000 case BuiltinType::Char8: 2001 case BuiltinType::Char16: 2002 case BuiltinType::Char32: 2003 case BuiltinType::Char_S: 2004 case BuiltinType::SChar: 2005 case BuiltinType::WChar_S: 2006 return true; 2007 } 2008 } 2009 2010 /// isSignedIntegerType - Return true if this is an integer type that is 2011 /// signed, according to C99 6.2.5p4 [char, signed char, short, int, long..], 2012 /// an enum decl which has a signed representation 2013 bool Type::isSignedIntegerType() const { 2014 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) { 2015 return BT->getKind() >= BuiltinType::Char_S && 2016 BT->getKind() <= BuiltinType::Int128; 2017 } 2018 2019 if (const EnumType *ET = dyn_cast<EnumType>(CanonicalType)) { 2020 // Incomplete enum types are not treated as integer types. 2021 // FIXME: In C++, enum types are never integer types. 2022 if (ET->getDecl()->isComplete() && !ET->getDecl()->isScoped()) 2023 return ET->getDecl()->getIntegerType()->isSignedIntegerType(); 2024 } 2025 2026 if (const auto *IT = dyn_cast<BitIntType>(CanonicalType)) 2027 return IT->isSigned(); 2028 if (const auto *IT = dyn_cast<DependentBitIntType>(CanonicalType)) 2029 return IT->isSigned(); 2030 2031 return false; 2032 } 2033 2034 bool Type::isSignedIntegerOrEnumerationType() const { 2035 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) { 2036 return BT->getKind() >= BuiltinType::Char_S && 2037 BT->getKind() <= BuiltinType::Int128; 2038 } 2039 2040 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) { 2041 if (ET->getDecl()->isComplete()) 2042 return ET->getDecl()->getIntegerType()->isSignedIntegerType(); 2043 } 2044 2045 if (const auto *IT = dyn_cast<BitIntType>(CanonicalType)) 2046 return IT->isSigned(); 2047 if (const auto *IT = dyn_cast<DependentBitIntType>(CanonicalType)) 2048 return IT->isSigned(); 2049 2050 return false; 2051 } 2052 2053 bool Type::hasSignedIntegerRepresentation() const { 2054 if (const auto *VT = dyn_cast<VectorType>(CanonicalType)) 2055 return VT->getElementType()->isSignedIntegerOrEnumerationType(); 2056 else 2057 return isSignedIntegerOrEnumerationType(); 2058 } 2059 2060 /// isUnsignedIntegerType - Return true if this is an integer type that is 2061 /// unsigned, according to C99 6.2.5p6 [which returns true for _Bool], an enum 2062 /// decl which has an unsigned representation 2063 bool Type::isUnsignedIntegerType() const { 2064 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) { 2065 return BT->getKind() >= BuiltinType::Bool && 2066 BT->getKind() <= BuiltinType::UInt128; 2067 } 2068 2069 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) { 2070 // Incomplete enum types are not treated as integer types. 2071 // FIXME: In C++, enum types are never integer types. 2072 if (ET->getDecl()->isComplete() && !ET->getDecl()->isScoped()) 2073 return ET->getDecl()->getIntegerType()->isUnsignedIntegerType(); 2074 } 2075 2076 if (const auto *IT = dyn_cast<BitIntType>(CanonicalType)) 2077 return IT->isUnsigned(); 2078 if (const auto *IT = dyn_cast<DependentBitIntType>(CanonicalType)) 2079 return IT->isUnsigned(); 2080 2081 return false; 2082 } 2083 2084 bool Type::isUnsignedIntegerOrEnumerationType() const { 2085 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) { 2086 return BT->getKind() >= BuiltinType::Bool && 2087 BT->getKind() <= BuiltinType::UInt128; 2088 } 2089 2090 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) { 2091 if (ET->getDecl()->isComplete()) 2092 return ET->getDecl()->getIntegerType()->isUnsignedIntegerType(); 2093 } 2094 2095 if (const auto *IT = dyn_cast<BitIntType>(CanonicalType)) 2096 return IT->isUnsigned(); 2097 if (const auto *IT = dyn_cast<DependentBitIntType>(CanonicalType)) 2098 return IT->isUnsigned(); 2099 2100 return false; 2101 } 2102 2103 bool Type::hasUnsignedIntegerRepresentation() const { 2104 if (const auto *VT = dyn_cast<VectorType>(CanonicalType)) 2105 return VT->getElementType()->isUnsignedIntegerOrEnumerationType(); 2106 if (const auto *VT = dyn_cast<MatrixType>(CanonicalType)) 2107 return VT->getElementType()->isUnsignedIntegerOrEnumerationType(); 2108 if (CanonicalType->isVLSTBuiltinType()) { 2109 const auto *VT = cast<BuiltinType>(CanonicalType); 2110 return VT->getKind() >= BuiltinType::SveUint8 && 2111 VT->getKind() <= BuiltinType::SveUint64; 2112 } 2113 return isUnsignedIntegerOrEnumerationType(); 2114 } 2115 2116 bool Type::isFloatingType() const { 2117 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 2118 return BT->getKind() >= BuiltinType::Half && 2119 BT->getKind() <= BuiltinType::Ibm128; 2120 if (const auto *CT = dyn_cast<ComplexType>(CanonicalType)) 2121 return CT->getElementType()->isFloatingType(); 2122 return false; 2123 } 2124 2125 bool Type::hasFloatingRepresentation() const { 2126 if (const auto *VT = dyn_cast<VectorType>(CanonicalType)) 2127 return VT->getElementType()->isFloatingType(); 2128 else 2129 return isFloatingType(); 2130 } 2131 2132 bool Type::isRealFloatingType() const { 2133 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 2134 return BT->isFloatingPoint(); 2135 return false; 2136 } 2137 2138 bool Type::isRealType() const { 2139 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 2140 return BT->getKind() >= BuiltinType::Bool && 2141 BT->getKind() <= BuiltinType::Ibm128; 2142 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) 2143 return ET->getDecl()->isComplete() && !ET->getDecl()->isScoped(); 2144 return isBitIntType(); 2145 } 2146 2147 bool Type::isArithmeticType() const { 2148 if (const auto *BT = dyn_cast<BuiltinType>(CanonicalType)) 2149 return BT->getKind() >= BuiltinType::Bool && 2150 BT->getKind() <= BuiltinType::Ibm128 && 2151 BT->getKind() != BuiltinType::BFloat16; 2152 if (const auto *ET = dyn_cast<EnumType>(CanonicalType)) 2153 // GCC allows forward declaration of enum types (forbid by C99 6.7.2.3p2). 2154 // If a body isn't seen by the time we get here, return false. 2155 // 2156 // C++0x: Enumerations are not arithmetic types. For now, just return 2157 // false for scoped enumerations since that will disable any 2158 // unwanted implicit conversions. 2159 return !ET->getDecl()->isScoped() && ET->getDecl()->isComplete(); 2160 return isa<ComplexType>(CanonicalType) || isBitIntType(); 2161 } 2162 2163 Type::ScalarTypeKind Type::getScalarTypeKind() const { 2164 assert(isScalarType()); 2165 2166 const Type *T = CanonicalType.getTypePtr(); 2167 if (const auto *BT = dyn_cast<BuiltinType>(T)) { 2168 if (BT->getKind() == BuiltinType::Bool) return STK_Bool; 2169 if (BT->getKind() == BuiltinType::NullPtr) return STK_CPointer; 2170 if (BT->isInteger()) return STK_Integral; 2171 if (BT->isFloatingPoint()) return STK_Floating; 2172 if (BT->isFixedPointType()) return STK_FixedPoint; 2173 llvm_unreachable("unknown scalar builtin type"); 2174 } else if (isa<PointerType>(T)) { 2175 return STK_CPointer; 2176 } else if (isa<BlockPointerType>(T)) { 2177 return STK_BlockPointer; 2178 } else if (isa<ObjCObjectPointerType>(T)) { 2179 return STK_ObjCObjectPointer; 2180 } else if (isa<MemberPointerType>(T)) { 2181 return STK_MemberPointer; 2182 } else if (isa<EnumType>(T)) { 2183 assert(cast<EnumType>(T)->getDecl()->isComplete()); 2184 return STK_Integral; 2185 } else if (const auto *CT = dyn_cast<ComplexType>(T)) { 2186 if (CT->getElementType()->isRealFloatingType()) 2187 return STK_FloatingComplex; 2188 return STK_IntegralComplex; 2189 } else if (isBitIntType()) { 2190 return STK_Integral; 2191 } 2192 2193 llvm_unreachable("unknown scalar type"); 2194 } 2195 2196 /// Determines whether the type is a C++ aggregate type or C 2197 /// aggregate or union type. 2198 /// 2199 /// An aggregate type is an array or a class type (struct, union, or 2200 /// class) that has no user-declared constructors, no private or 2201 /// protected non-static data members, no base classes, and no virtual 2202 /// functions (C++ [dcl.init.aggr]p1). The notion of an aggregate type 2203 /// subsumes the notion of C aggregates (C99 6.2.5p21) because it also 2204 /// includes union types. 2205 bool Type::isAggregateType() const { 2206 if (const auto *Record = dyn_cast<RecordType>(CanonicalType)) { 2207 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(Record->getDecl())) 2208 return ClassDecl->isAggregate(); 2209 2210 return true; 2211 } 2212 2213 return isa<ArrayType>(CanonicalType); 2214 } 2215 2216 /// isConstantSizeType - Return true if this is not a variable sized type, 2217 /// according to the rules of C99 6.7.5p3. It is not legal to call this on 2218 /// incomplete types or dependent types. 2219 bool Type::isConstantSizeType() const { 2220 assert(!isIncompleteType() && "This doesn't make sense for incomplete types"); 2221 assert(!isDependentType() && "This doesn't make sense for dependent types"); 2222 // The VAT must have a size, as it is known to be complete. 2223 return !isa<VariableArrayType>(CanonicalType); 2224 } 2225 2226 /// isIncompleteType - Return true if this is an incomplete type (C99 6.2.5p1) 2227 /// - a type that can describe objects, but which lacks information needed to 2228 /// determine its size. 2229 bool Type::isIncompleteType(NamedDecl **Def) const { 2230 if (Def) 2231 *Def = nullptr; 2232 2233 switch (CanonicalType->getTypeClass()) { 2234 default: return false; 2235 case Builtin: 2236 // Void is the only incomplete builtin type. Per C99 6.2.5p19, it can never 2237 // be completed. 2238 return isVoidType(); 2239 case Enum: { 2240 EnumDecl *EnumD = cast<EnumType>(CanonicalType)->getDecl(); 2241 if (Def) 2242 *Def = EnumD; 2243 return !EnumD->isComplete(); 2244 } 2245 case Record: { 2246 // A tagged type (struct/union/enum/class) is incomplete if the decl is a 2247 // forward declaration, but not a full definition (C99 6.2.5p22). 2248 RecordDecl *Rec = cast<RecordType>(CanonicalType)->getDecl(); 2249 if (Def) 2250 *Def = Rec; 2251 return !Rec->isCompleteDefinition(); 2252 } 2253 case ConstantArray: 2254 case VariableArray: 2255 // An array is incomplete if its element type is incomplete 2256 // (C++ [dcl.array]p1). 2257 // We don't handle dependent-sized arrays (dependent types are never treated 2258 // as incomplete). 2259 return cast<ArrayType>(CanonicalType)->getElementType() 2260 ->isIncompleteType(Def); 2261 case IncompleteArray: 2262 // An array of unknown size is an incomplete type (C99 6.2.5p22). 2263 return true; 2264 case MemberPointer: { 2265 // Member pointers in the MS ABI have special behavior in 2266 // RequireCompleteType: they attach a MSInheritanceAttr to the CXXRecordDecl 2267 // to indicate which inheritance model to use. 2268 auto *MPTy = cast<MemberPointerType>(CanonicalType); 2269 const Type *ClassTy = MPTy->getClass(); 2270 // Member pointers with dependent class types don't get special treatment. 2271 if (ClassTy->isDependentType()) 2272 return false; 2273 const CXXRecordDecl *RD = ClassTy->getAsCXXRecordDecl(); 2274 ASTContext &Context = RD->getASTContext(); 2275 // Member pointers not in the MS ABI don't get special treatment. 2276 if (!Context.getTargetInfo().getCXXABI().isMicrosoft()) 2277 return false; 2278 // The inheritance attribute might only be present on the most recent 2279 // CXXRecordDecl, use that one. 2280 RD = RD->getMostRecentNonInjectedDecl(); 2281 // Nothing interesting to do if the inheritance attribute is already set. 2282 if (RD->hasAttr<MSInheritanceAttr>()) 2283 return false; 2284 return true; 2285 } 2286 case ObjCObject: 2287 return cast<ObjCObjectType>(CanonicalType)->getBaseType() 2288 ->isIncompleteType(Def); 2289 case ObjCInterface: { 2290 // ObjC interfaces are incomplete if they are @class, not @interface. 2291 ObjCInterfaceDecl *Interface 2292 = cast<ObjCInterfaceType>(CanonicalType)->getDecl(); 2293 if (Def) 2294 *Def = Interface; 2295 return !Interface->hasDefinition(); 2296 } 2297 } 2298 } 2299 2300 bool Type::isSizelessBuiltinType() const { 2301 if (const BuiltinType *BT = getAs<BuiltinType>()) { 2302 switch (BT->getKind()) { 2303 // SVE Types 2304 #define SVE_TYPE(Name, Id, SingletonId) case BuiltinType::Id: 2305 #include "clang/Basic/AArch64SVEACLETypes.def" 2306 #define RVV_TYPE(Name, Id, SingletonId) case BuiltinType::Id: 2307 #include "clang/Basic/RISCVVTypes.def" 2308 return true; 2309 default: 2310 return false; 2311 } 2312 } 2313 return false; 2314 } 2315 2316 bool Type::isSizelessType() const { return isSizelessBuiltinType(); } 2317 2318 bool Type::isVLSTBuiltinType() const { 2319 if (const BuiltinType *BT = getAs<BuiltinType>()) { 2320 switch (BT->getKind()) { 2321 case BuiltinType::SveInt8: 2322 case BuiltinType::SveInt16: 2323 case BuiltinType::SveInt32: 2324 case BuiltinType::SveInt64: 2325 case BuiltinType::SveUint8: 2326 case BuiltinType::SveUint16: 2327 case BuiltinType::SveUint32: 2328 case BuiltinType::SveUint64: 2329 case BuiltinType::SveFloat16: 2330 case BuiltinType::SveFloat32: 2331 case BuiltinType::SveFloat64: 2332 case BuiltinType::SveBFloat16: 2333 case BuiltinType::SveBool: 2334 return true; 2335 default: 2336 return false; 2337 } 2338 } 2339 return false; 2340 } 2341 2342 QualType Type::getSveEltType(const ASTContext &Ctx) const { 2343 assert(isVLSTBuiltinType() && "unsupported type!"); 2344 2345 const BuiltinType *BTy = getAs<BuiltinType>(); 2346 if (BTy->getKind() == BuiltinType::SveBool) 2347 // Represent predicates as i8 rather than i1 to avoid any layout issues. 2348 // The type is bitcasted to a scalable predicate type when casting between 2349 // scalable and fixed-length vectors. 2350 return Ctx.UnsignedCharTy; 2351 else 2352 return Ctx.getBuiltinVectorTypeInfo(BTy).ElementType; 2353 } 2354 2355 bool QualType::isPODType(const ASTContext &Context) const { 2356 // C++11 has a more relaxed definition of POD. 2357 if (Context.getLangOpts().CPlusPlus11) 2358 return isCXX11PODType(Context); 2359 2360 return isCXX98PODType(Context); 2361 } 2362 2363 bool QualType::isCXX98PODType(const ASTContext &Context) const { 2364 // The compiler shouldn't query this for incomplete types, but the user might. 2365 // We return false for that case. Except for incomplete arrays of PODs, which 2366 // are PODs according to the standard. 2367 if (isNull()) 2368 return false; 2369 2370 if ((*this)->isIncompleteArrayType()) 2371 return Context.getBaseElementType(*this).isCXX98PODType(Context); 2372 2373 if ((*this)->isIncompleteType()) 2374 return false; 2375 2376 if (hasNonTrivialObjCLifetime()) 2377 return false; 2378 2379 QualType CanonicalType = getTypePtr()->CanonicalType; 2380 switch (CanonicalType->getTypeClass()) { 2381 // Everything not explicitly mentioned is not POD. 2382 default: return false; 2383 case Type::VariableArray: 2384 case Type::ConstantArray: 2385 // IncompleteArray is handled above. 2386 return Context.getBaseElementType(*this).isCXX98PODType(Context); 2387 2388 case Type::ObjCObjectPointer: 2389 case Type::BlockPointer: 2390 case Type::Builtin: 2391 case Type::Complex: 2392 case Type::Pointer: 2393 case Type::MemberPointer: 2394 case Type::Vector: 2395 case Type::ExtVector: 2396 case Type::BitInt: 2397 return true; 2398 2399 case Type::Enum: 2400 return true; 2401 2402 case Type::Record: 2403 if (const auto *ClassDecl = 2404 dyn_cast<CXXRecordDecl>(cast<RecordType>(CanonicalType)->getDecl())) 2405 return ClassDecl->isPOD(); 2406 2407 // C struct/union is POD. 2408 return true; 2409 } 2410 } 2411 2412 bool QualType::isTrivialType(const ASTContext &Context) const { 2413 // The compiler shouldn't query this for incomplete types, but the user might. 2414 // We return false for that case. Except for incomplete arrays of PODs, which 2415 // are PODs according to the standard. 2416 if (isNull()) 2417 return false; 2418 2419 if ((*this)->isArrayType()) 2420 return Context.getBaseElementType(*this).isTrivialType(Context); 2421 2422 if ((*this)->isSizelessBuiltinType()) 2423 return true; 2424 2425 // Return false for incomplete types after skipping any incomplete array 2426 // types which are expressly allowed by the standard and thus our API. 2427 if ((*this)->isIncompleteType()) 2428 return false; 2429 2430 if (hasNonTrivialObjCLifetime()) 2431 return false; 2432 2433 QualType CanonicalType = getTypePtr()->CanonicalType; 2434 if (CanonicalType->isDependentType()) 2435 return false; 2436 2437 // C++0x [basic.types]p9: 2438 // Scalar types, trivial class types, arrays of such types, and 2439 // cv-qualified versions of these types are collectively called trivial 2440 // types. 2441 2442 // As an extension, Clang treats vector types as Scalar types. 2443 if (CanonicalType->isScalarType() || CanonicalType->isVectorType()) 2444 return true; 2445 if (const auto *RT = CanonicalType->getAs<RecordType>()) { 2446 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) { 2447 // C++11 [class]p6: 2448 // A trivial class is a class that has a default constructor, 2449 // has no non-trivial default constructors, and is trivially 2450 // copyable. 2451 return ClassDecl->hasDefaultConstructor() && 2452 !ClassDecl->hasNonTrivialDefaultConstructor() && 2453 ClassDecl->isTriviallyCopyable(); 2454 } 2455 2456 return true; 2457 } 2458 2459 // No other types can match. 2460 return false; 2461 } 2462 2463 bool QualType::isTriviallyCopyableType(const ASTContext &Context) const { 2464 if ((*this)->isArrayType()) 2465 return Context.getBaseElementType(*this).isTriviallyCopyableType(Context); 2466 2467 if (hasNonTrivialObjCLifetime()) 2468 return false; 2469 2470 // C++11 [basic.types]p9 - See Core 2094 2471 // Scalar types, trivially copyable class types, arrays of such types, and 2472 // cv-qualified versions of these types are collectively 2473 // called trivially copyable types. 2474 2475 QualType CanonicalType = getCanonicalType(); 2476 if (CanonicalType->isDependentType()) 2477 return false; 2478 2479 if (CanonicalType->isSizelessBuiltinType()) 2480 return true; 2481 2482 // Return false for incomplete types after skipping any incomplete array types 2483 // which are expressly allowed by the standard and thus our API. 2484 if (CanonicalType->isIncompleteType()) 2485 return false; 2486 2487 // As an extension, Clang treats vector types as Scalar types. 2488 if (CanonicalType->isScalarType() || CanonicalType->isVectorType()) 2489 return true; 2490 2491 if (const auto *RT = CanonicalType->getAs<RecordType>()) { 2492 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) { 2493 if (!ClassDecl->isTriviallyCopyable()) return false; 2494 } 2495 2496 return true; 2497 } 2498 2499 // No other types can match. 2500 return false; 2501 } 2502 2503 bool QualType::isTriviallyRelocatableType(const ASTContext &Context) const { 2504 QualType BaseElementType = Context.getBaseElementType(*this); 2505 2506 if (BaseElementType->isIncompleteType()) { 2507 return false; 2508 } else if (const auto *RD = BaseElementType->getAsRecordDecl()) { 2509 return RD->canPassInRegisters(); 2510 } else { 2511 switch (isNonTrivialToPrimitiveDestructiveMove()) { 2512 case PCK_Trivial: 2513 return !isDestructedType(); 2514 case PCK_ARCStrong: 2515 return true; 2516 default: 2517 return false; 2518 } 2519 } 2520 } 2521 2522 bool QualType::isNonWeakInMRRWithObjCWeak(const ASTContext &Context) const { 2523 return !Context.getLangOpts().ObjCAutoRefCount && 2524 Context.getLangOpts().ObjCWeak && 2525 getObjCLifetime() != Qualifiers::OCL_Weak; 2526 } 2527 2528 bool QualType::hasNonTrivialToPrimitiveDefaultInitializeCUnion(const RecordDecl *RD) { 2529 return RD->hasNonTrivialToPrimitiveDefaultInitializeCUnion(); 2530 } 2531 2532 bool QualType::hasNonTrivialToPrimitiveDestructCUnion(const RecordDecl *RD) { 2533 return RD->hasNonTrivialToPrimitiveDestructCUnion(); 2534 } 2535 2536 bool QualType::hasNonTrivialToPrimitiveCopyCUnion(const RecordDecl *RD) { 2537 return RD->hasNonTrivialToPrimitiveCopyCUnion(); 2538 } 2539 2540 QualType::PrimitiveDefaultInitializeKind 2541 QualType::isNonTrivialToPrimitiveDefaultInitialize() const { 2542 if (const auto *RT = 2543 getTypePtr()->getBaseElementTypeUnsafe()->getAs<RecordType>()) 2544 if (RT->getDecl()->isNonTrivialToPrimitiveDefaultInitialize()) 2545 return PDIK_Struct; 2546 2547 switch (getQualifiers().getObjCLifetime()) { 2548 case Qualifiers::OCL_Strong: 2549 return PDIK_ARCStrong; 2550 case Qualifiers::OCL_Weak: 2551 return PDIK_ARCWeak; 2552 default: 2553 return PDIK_Trivial; 2554 } 2555 } 2556 2557 QualType::PrimitiveCopyKind QualType::isNonTrivialToPrimitiveCopy() const { 2558 if (const auto *RT = 2559 getTypePtr()->getBaseElementTypeUnsafe()->getAs<RecordType>()) 2560 if (RT->getDecl()->isNonTrivialToPrimitiveCopy()) 2561 return PCK_Struct; 2562 2563 Qualifiers Qs = getQualifiers(); 2564 switch (Qs.getObjCLifetime()) { 2565 case Qualifiers::OCL_Strong: 2566 return PCK_ARCStrong; 2567 case Qualifiers::OCL_Weak: 2568 return PCK_ARCWeak; 2569 default: 2570 return Qs.hasVolatile() ? PCK_VolatileTrivial : PCK_Trivial; 2571 } 2572 } 2573 2574 QualType::PrimitiveCopyKind 2575 QualType::isNonTrivialToPrimitiveDestructiveMove() const { 2576 return isNonTrivialToPrimitiveCopy(); 2577 } 2578 2579 bool Type::isLiteralType(const ASTContext &Ctx) const { 2580 if (isDependentType()) 2581 return false; 2582 2583 // C++1y [basic.types]p10: 2584 // A type is a literal type if it is: 2585 // -- cv void; or 2586 if (Ctx.getLangOpts().CPlusPlus14 && isVoidType()) 2587 return true; 2588 2589 // C++11 [basic.types]p10: 2590 // A type is a literal type if it is: 2591 // [...] 2592 // -- an array of literal type other than an array of runtime bound; or 2593 if (isVariableArrayType()) 2594 return false; 2595 const Type *BaseTy = getBaseElementTypeUnsafe(); 2596 assert(BaseTy && "NULL element type"); 2597 2598 // Return false for incomplete types after skipping any incomplete array 2599 // types; those are expressly allowed by the standard and thus our API. 2600 if (BaseTy->isIncompleteType()) 2601 return false; 2602 2603 // C++11 [basic.types]p10: 2604 // A type is a literal type if it is: 2605 // -- a scalar type; or 2606 // As an extension, Clang treats vector types and complex types as 2607 // literal types. 2608 if (BaseTy->isScalarType() || BaseTy->isVectorType() || 2609 BaseTy->isAnyComplexType()) 2610 return true; 2611 // -- a reference type; or 2612 if (BaseTy->isReferenceType()) 2613 return true; 2614 // -- a class type that has all of the following properties: 2615 if (const auto *RT = BaseTy->getAs<RecordType>()) { 2616 // -- a trivial destructor, 2617 // -- every constructor call and full-expression in the 2618 // brace-or-equal-initializers for non-static data members (if any) 2619 // is a constant expression, 2620 // -- it is an aggregate type or has at least one constexpr 2621 // constructor or constructor template that is not a copy or move 2622 // constructor, and 2623 // -- all non-static data members and base classes of literal types 2624 // 2625 // We resolve DR1361 by ignoring the second bullet. 2626 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) 2627 return ClassDecl->isLiteral(); 2628 2629 return true; 2630 } 2631 2632 // We treat _Atomic T as a literal type if T is a literal type. 2633 if (const auto *AT = BaseTy->getAs<AtomicType>()) 2634 return AT->getValueType()->isLiteralType(Ctx); 2635 2636 // If this type hasn't been deduced yet, then conservatively assume that 2637 // it'll work out to be a literal type. 2638 if (isa<AutoType>(BaseTy->getCanonicalTypeInternal())) 2639 return true; 2640 2641 return false; 2642 } 2643 2644 bool Type::isStructuralType() const { 2645 // C++20 [temp.param]p6: 2646 // A structural type is one of the following: 2647 // -- a scalar type; or 2648 // -- a vector type [Clang extension]; or 2649 if (isScalarType() || isVectorType()) 2650 return true; 2651 // -- an lvalue reference type; or 2652 if (isLValueReferenceType()) 2653 return true; 2654 // -- a literal class type [...under some conditions] 2655 if (const CXXRecordDecl *RD = getAsCXXRecordDecl()) 2656 return RD->isStructural(); 2657 return false; 2658 } 2659 2660 bool Type::isStandardLayoutType() const { 2661 if (isDependentType()) 2662 return false; 2663 2664 // C++0x [basic.types]p9: 2665 // Scalar types, standard-layout class types, arrays of such types, and 2666 // cv-qualified versions of these types are collectively called 2667 // standard-layout types. 2668 const Type *BaseTy = getBaseElementTypeUnsafe(); 2669 assert(BaseTy && "NULL element type"); 2670 2671 // Return false for incomplete types after skipping any incomplete array 2672 // types which are expressly allowed by the standard and thus our API. 2673 if (BaseTy->isIncompleteType()) 2674 return false; 2675 2676 // As an extension, Clang treats vector types as Scalar types. 2677 if (BaseTy->isScalarType() || BaseTy->isVectorType()) return true; 2678 if (const auto *RT = BaseTy->getAs<RecordType>()) { 2679 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) 2680 if (!ClassDecl->isStandardLayout()) 2681 return false; 2682 2683 // Default to 'true' for non-C++ class types. 2684 // FIXME: This is a bit dubious, but plain C structs should trivially meet 2685 // all the requirements of standard layout classes. 2686 return true; 2687 } 2688 2689 // No other types can match. 2690 return false; 2691 } 2692 2693 // This is effectively the intersection of isTrivialType and 2694 // isStandardLayoutType. We implement it directly to avoid redundant 2695 // conversions from a type to a CXXRecordDecl. 2696 bool QualType::isCXX11PODType(const ASTContext &Context) const { 2697 const Type *ty = getTypePtr(); 2698 if (ty->isDependentType()) 2699 return false; 2700 2701 if (hasNonTrivialObjCLifetime()) 2702 return false; 2703 2704 // C++11 [basic.types]p9: 2705 // Scalar types, POD classes, arrays of such types, and cv-qualified 2706 // versions of these types are collectively called trivial types. 2707 const Type *BaseTy = ty->getBaseElementTypeUnsafe(); 2708 assert(BaseTy && "NULL element type"); 2709 2710 if (BaseTy->isSizelessBuiltinType()) 2711 return true; 2712 2713 // Return false for incomplete types after skipping any incomplete array 2714 // types which are expressly allowed by the standard and thus our API. 2715 if (BaseTy->isIncompleteType()) 2716 return false; 2717 2718 // As an extension, Clang treats vector types as Scalar types. 2719 if (BaseTy->isScalarType() || BaseTy->isVectorType()) return true; 2720 if (const auto *RT = BaseTy->getAs<RecordType>()) { 2721 if (const auto *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) { 2722 // C++11 [class]p10: 2723 // A POD struct is a non-union class that is both a trivial class [...] 2724 if (!ClassDecl->isTrivial()) return false; 2725 2726 // C++11 [class]p10: 2727 // A POD struct is a non-union class that is both a trivial class and 2728 // a standard-layout class [...] 2729 if (!ClassDecl->isStandardLayout()) return false; 2730 2731 // C++11 [class]p10: 2732 // A POD struct is a non-union class that is both a trivial class and 2733 // a standard-layout class, and has no non-static data members of type 2734 // non-POD struct, non-POD union (or array of such types). [...] 2735 // 2736 // We don't directly query the recursive aspect as the requirements for 2737 // both standard-layout classes and trivial classes apply recursively 2738 // already. 2739 } 2740 2741 return true; 2742 } 2743 2744 // No other types can match. 2745 return false; 2746 } 2747 2748 bool Type::isNothrowT() const { 2749 if (const auto *RD = getAsCXXRecordDecl()) { 2750 IdentifierInfo *II = RD->getIdentifier(); 2751 if (II && II->isStr("nothrow_t") && RD->isInStdNamespace()) 2752 return true; 2753 } 2754 return false; 2755 } 2756 2757 bool Type::isAlignValT() const { 2758 if (const auto *ET = getAs<EnumType>()) { 2759 IdentifierInfo *II = ET->getDecl()->getIdentifier(); 2760 if (II && II->isStr("align_val_t") && ET->getDecl()->isInStdNamespace()) 2761 return true; 2762 } 2763 return false; 2764 } 2765 2766 bool Type::isStdByteType() const { 2767 if (const auto *ET = getAs<EnumType>()) { 2768 IdentifierInfo *II = ET->getDecl()->getIdentifier(); 2769 if (II && II->isStr("byte") && ET->getDecl()->isInStdNamespace()) 2770 return true; 2771 } 2772 return false; 2773 } 2774 2775 bool Type::isPromotableIntegerType() const { 2776 if (const auto *BT = getAs<BuiltinType>()) 2777 switch (BT->getKind()) { 2778 case BuiltinType::Bool: 2779 case BuiltinType::Char_S: 2780 case BuiltinType::Char_U: 2781 case BuiltinType::SChar: 2782 case BuiltinType::UChar: 2783 case BuiltinType::Short: 2784 case BuiltinType::UShort: 2785 case BuiltinType::WChar_S: 2786 case BuiltinType::WChar_U: 2787 case BuiltinType::Char8: 2788 case BuiltinType::Char16: 2789 case BuiltinType::Char32: 2790 return true; 2791 default: 2792 return false; 2793 } 2794 2795 // Enumerated types are promotable to their compatible integer types 2796 // (C99 6.3.1.1) a.k.a. its underlying type (C++ [conv.prom]p2). 2797 if (const auto *ET = getAs<EnumType>()){ 2798 if (this->isDependentType() || ET->getDecl()->getPromotionType().isNull() 2799 || ET->getDecl()->isScoped()) 2800 return false; 2801 2802 return true; 2803 } 2804 2805 return false; 2806 } 2807 2808 bool Type::isSpecifierType() const { 2809 // Note that this intentionally does not use the canonical type. 2810 switch (getTypeClass()) { 2811 case Builtin: 2812 case Record: 2813 case Enum: 2814 case Typedef: 2815 case Complex: 2816 case TypeOfExpr: 2817 case TypeOf: 2818 case TemplateTypeParm: 2819 case SubstTemplateTypeParm: 2820 case TemplateSpecialization: 2821 case Elaborated: 2822 case DependentName: 2823 case DependentTemplateSpecialization: 2824 case ObjCInterface: 2825 case ObjCObject: 2826 return true; 2827 default: 2828 return false; 2829 } 2830 } 2831 2832 ElaboratedTypeKeyword 2833 TypeWithKeyword::getKeywordForTypeSpec(unsigned TypeSpec) { 2834 switch (TypeSpec) { 2835 default: return ETK_None; 2836 case TST_typename: return ETK_Typename; 2837 case TST_class: return ETK_Class; 2838 case TST_struct: return ETK_Struct; 2839 case TST_interface: return ETK_Interface; 2840 case TST_union: return ETK_Union; 2841 case TST_enum: return ETK_Enum; 2842 } 2843 } 2844 2845 TagTypeKind 2846 TypeWithKeyword::getTagTypeKindForTypeSpec(unsigned TypeSpec) { 2847 switch(TypeSpec) { 2848 case TST_class: return TTK_Class; 2849 case TST_struct: return TTK_Struct; 2850 case TST_interface: return TTK_Interface; 2851 case TST_union: return TTK_Union; 2852 case TST_enum: return TTK_Enum; 2853 } 2854 2855 llvm_unreachable("Type specifier is not a tag type kind."); 2856 } 2857 2858 ElaboratedTypeKeyword 2859 TypeWithKeyword::getKeywordForTagTypeKind(TagTypeKind Kind) { 2860 switch (Kind) { 2861 case TTK_Class: return ETK_Class; 2862 case TTK_Struct: return ETK_Struct; 2863 case TTK_Interface: return ETK_Interface; 2864 case TTK_Union: return ETK_Union; 2865 case TTK_Enum: return ETK_Enum; 2866 } 2867 llvm_unreachable("Unknown tag type kind."); 2868 } 2869 2870 TagTypeKind 2871 TypeWithKeyword::getTagTypeKindForKeyword(ElaboratedTypeKeyword Keyword) { 2872 switch (Keyword) { 2873 case ETK_Class: return TTK_Class; 2874 case ETK_Struct: return TTK_Struct; 2875 case ETK_Interface: return TTK_Interface; 2876 case ETK_Union: return TTK_Union; 2877 case ETK_Enum: return TTK_Enum; 2878 case ETK_None: // Fall through. 2879 case ETK_Typename: 2880 llvm_unreachable("Elaborated type keyword is not a tag type kind."); 2881 } 2882 llvm_unreachable("Unknown elaborated type keyword."); 2883 } 2884 2885 bool 2886 TypeWithKeyword::KeywordIsTagTypeKind(ElaboratedTypeKeyword Keyword) { 2887 switch (Keyword) { 2888 case ETK_None: 2889 case ETK_Typename: 2890 return false; 2891 case ETK_Class: 2892 case ETK_Struct: 2893 case ETK_Interface: 2894 case ETK_Union: 2895 case ETK_Enum: 2896 return true; 2897 } 2898 llvm_unreachable("Unknown elaborated type keyword."); 2899 } 2900 2901 StringRef TypeWithKeyword::getKeywordName(ElaboratedTypeKeyword Keyword) { 2902 switch (Keyword) { 2903 case ETK_None: return {}; 2904 case ETK_Typename: return "typename"; 2905 case ETK_Class: return "class"; 2906 case ETK_Struct: return "struct"; 2907 case ETK_Interface: return "__interface"; 2908 case ETK_Union: return "union"; 2909 case ETK_Enum: return "enum"; 2910 } 2911 2912 llvm_unreachable("Unknown elaborated type keyword."); 2913 } 2914 2915 DependentTemplateSpecializationType::DependentTemplateSpecializationType( 2916 ElaboratedTypeKeyword Keyword, NestedNameSpecifier *NNS, 2917 const IdentifierInfo *Name, ArrayRef<TemplateArgument> Args, QualType Canon) 2918 : TypeWithKeyword(Keyword, DependentTemplateSpecialization, Canon, 2919 TypeDependence::DependentInstantiation | 2920 (NNS ? toTypeDependence(NNS->getDependence()) 2921 : TypeDependence::None)), 2922 NNS(NNS), Name(Name) { 2923 DependentTemplateSpecializationTypeBits.NumArgs = Args.size(); 2924 assert((!NNS || NNS->isDependent()) && 2925 "DependentTemplateSpecializatonType requires dependent qualifier"); 2926 TemplateArgument *ArgBuffer = getArgBuffer(); 2927 for (const TemplateArgument &Arg : Args) { 2928 addDependence(toTypeDependence(Arg.getDependence() & 2929 TemplateArgumentDependence::UnexpandedPack)); 2930 2931 new (ArgBuffer++) TemplateArgument(Arg); 2932 } 2933 } 2934 2935 void 2936 DependentTemplateSpecializationType::Profile(llvm::FoldingSetNodeID &ID, 2937 const ASTContext &Context, 2938 ElaboratedTypeKeyword Keyword, 2939 NestedNameSpecifier *Qualifier, 2940 const IdentifierInfo *Name, 2941 ArrayRef<TemplateArgument> Args) { 2942 ID.AddInteger(Keyword); 2943 ID.AddPointer(Qualifier); 2944 ID.AddPointer(Name); 2945 for (const TemplateArgument &Arg : Args) 2946 Arg.Profile(ID, Context); 2947 } 2948 2949 bool Type::isElaboratedTypeSpecifier() const { 2950 ElaboratedTypeKeyword Keyword; 2951 if (const auto *Elab = dyn_cast<ElaboratedType>(this)) 2952 Keyword = Elab->getKeyword(); 2953 else if (const auto *DepName = dyn_cast<DependentNameType>(this)) 2954 Keyword = DepName->getKeyword(); 2955 else if (const auto *DepTST = 2956 dyn_cast<DependentTemplateSpecializationType>(this)) 2957 Keyword = DepTST->getKeyword(); 2958 else 2959 return false; 2960 2961 return TypeWithKeyword::KeywordIsTagTypeKind(Keyword); 2962 } 2963 2964 const char *Type::getTypeClassName() const { 2965 switch (TypeBits.TC) { 2966 #define ABSTRACT_TYPE(Derived, Base) 2967 #define TYPE(Derived, Base) case Derived: return #Derived; 2968 #include "clang/AST/TypeNodes.inc" 2969 } 2970 2971 llvm_unreachable("Invalid type class."); 2972 } 2973 2974 StringRef BuiltinType::getName(const PrintingPolicy &Policy) const { 2975 switch (getKind()) { 2976 case Void: 2977 return "void"; 2978 case Bool: 2979 return Policy.Bool ? "bool" : "_Bool"; 2980 case Char_S: 2981 return "char"; 2982 case Char_U: 2983 return "char"; 2984 case SChar: 2985 return "signed char"; 2986 case Short: 2987 return "short"; 2988 case Int: 2989 return "int"; 2990 case Long: 2991 return "long"; 2992 case LongLong: 2993 return "long long"; 2994 case Int128: 2995 return "__int128"; 2996 case UChar: 2997 return "unsigned char"; 2998 case UShort: 2999 return "unsigned short"; 3000 case UInt: 3001 return "unsigned int"; 3002 case ULong: 3003 return "unsigned long"; 3004 case ULongLong: 3005 return "unsigned long long"; 3006 case UInt128: 3007 return "unsigned __int128"; 3008 case Half: 3009 return Policy.Half ? "half" : "__fp16"; 3010 case BFloat16: 3011 return "__bf16"; 3012 case Float: 3013 return "float"; 3014 case Double: 3015 return "double"; 3016 case LongDouble: 3017 return "long double"; 3018 case ShortAccum: 3019 return "short _Accum"; 3020 case Accum: 3021 return "_Accum"; 3022 case LongAccum: 3023 return "long _Accum"; 3024 case UShortAccum: 3025 return "unsigned short _Accum"; 3026 case UAccum: 3027 return "unsigned _Accum"; 3028 case ULongAccum: 3029 return "unsigned long _Accum"; 3030 case BuiltinType::ShortFract: 3031 return "short _Fract"; 3032 case BuiltinType::Fract: 3033 return "_Fract"; 3034 case BuiltinType::LongFract: 3035 return "long _Fract"; 3036 case BuiltinType::UShortFract: 3037 return "unsigned short _Fract"; 3038 case BuiltinType::UFract: 3039 return "unsigned _Fract"; 3040 case BuiltinType::ULongFract: 3041 return "unsigned long _Fract"; 3042 case BuiltinType::SatShortAccum: 3043 return "_Sat short _Accum"; 3044 case BuiltinType::SatAccum: 3045 return "_Sat _Accum"; 3046 case BuiltinType::SatLongAccum: 3047 return "_Sat long _Accum"; 3048 case BuiltinType::SatUShortAccum: 3049 return "_Sat unsigned short _Accum"; 3050 case BuiltinType::SatUAccum: 3051 return "_Sat unsigned _Accum"; 3052 case BuiltinType::SatULongAccum: 3053 return "_Sat unsigned long _Accum"; 3054 case BuiltinType::SatShortFract: 3055 return "_Sat short _Fract"; 3056 case BuiltinType::SatFract: 3057 return "_Sat _Fract"; 3058 case BuiltinType::SatLongFract: 3059 return "_Sat long _Fract"; 3060 case BuiltinType::SatUShortFract: 3061 return "_Sat unsigned short _Fract"; 3062 case BuiltinType::SatUFract: 3063 return "_Sat unsigned _Fract"; 3064 case BuiltinType::SatULongFract: 3065 return "_Sat unsigned long _Fract"; 3066 case Float16: 3067 return "_Float16"; 3068 case Float128: 3069 return "__float128"; 3070 case Ibm128: 3071 return "__ibm128"; 3072 case WChar_S: 3073 case WChar_U: 3074 return Policy.MSWChar ? "__wchar_t" : "wchar_t"; 3075 case Char8: 3076 return "char8_t"; 3077 case Char16: 3078 return "char16_t"; 3079 case Char32: 3080 return "char32_t"; 3081 case NullPtr: 3082 return "std::nullptr_t"; 3083 case Overload: 3084 return "<overloaded function type>"; 3085 case BoundMember: 3086 return "<bound member function type>"; 3087 case PseudoObject: 3088 return "<pseudo-object type>"; 3089 case Dependent: 3090 return "<dependent type>"; 3091 case UnknownAny: 3092 return "<unknown type>"; 3093 case ARCUnbridgedCast: 3094 return "<ARC unbridged cast type>"; 3095 case BuiltinFn: 3096 return "<builtin fn type>"; 3097 case ObjCId: 3098 return "id"; 3099 case ObjCClass: 3100 return "Class"; 3101 case ObjCSel: 3102 return "SEL"; 3103 #define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \ 3104 case Id: \ 3105 return "__" #Access " " #ImgType "_t"; 3106 #include "clang/Basic/OpenCLImageTypes.def" 3107 case OCLSampler: 3108 return "sampler_t"; 3109 case OCLEvent: 3110 return "event_t"; 3111 case OCLClkEvent: 3112 return "clk_event_t"; 3113 case OCLQueue: 3114 return "queue_t"; 3115 case OCLReserveID: 3116 return "reserve_id_t"; 3117 case IncompleteMatrixIdx: 3118 return "<incomplete matrix index type>"; 3119 case OMPArraySection: 3120 return "<OpenMP array section type>"; 3121 case OMPArrayShaping: 3122 return "<OpenMP array shaping type>"; 3123 case OMPIterator: 3124 return "<OpenMP iterator type>"; 3125 #define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \ 3126 case Id: \ 3127 return #ExtType; 3128 #include "clang/Basic/OpenCLExtensionTypes.def" 3129 #define SVE_TYPE(Name, Id, SingletonId) \ 3130 case Id: \ 3131 return Name; 3132 #include "clang/Basic/AArch64SVEACLETypes.def" 3133 #define PPC_VECTOR_TYPE(Name, Id, Size) \ 3134 case Id: \ 3135 return #Name; 3136 #include "clang/Basic/PPCTypes.def" 3137 #define RVV_TYPE(Name, Id, SingletonId) \ 3138 case Id: \ 3139 return Name; 3140 #include "clang/Basic/RISCVVTypes.def" 3141 } 3142 3143 llvm_unreachable("Invalid builtin type."); 3144 } 3145 3146 QualType QualType::getNonPackExpansionType() const { 3147 // We never wrap type sugar around a PackExpansionType. 3148 if (auto *PET = dyn_cast<PackExpansionType>(getTypePtr())) 3149 return PET->getPattern(); 3150 return *this; 3151 } 3152 3153 QualType QualType::getNonLValueExprType(const ASTContext &Context) const { 3154 if (const auto *RefType = getTypePtr()->getAs<ReferenceType>()) 3155 return RefType->getPointeeType(); 3156 3157 // C++0x [basic.lval]: 3158 // Class prvalues can have cv-qualified types; non-class prvalues always 3159 // have cv-unqualified types. 3160 // 3161 // See also C99 6.3.2.1p2. 3162 if (!Context.getLangOpts().CPlusPlus || 3163 (!getTypePtr()->isDependentType() && !getTypePtr()->isRecordType())) 3164 return getUnqualifiedType(); 3165 3166 return *this; 3167 } 3168 3169 StringRef FunctionType::getNameForCallConv(CallingConv CC) { 3170 switch (CC) { 3171 case CC_C: return "cdecl"; 3172 case CC_X86StdCall: return "stdcall"; 3173 case CC_X86FastCall: return "fastcall"; 3174 case CC_X86ThisCall: return "thiscall"; 3175 case CC_X86Pascal: return "pascal"; 3176 case CC_X86VectorCall: return "vectorcall"; 3177 case CC_Win64: return "ms_abi"; 3178 case CC_X86_64SysV: return "sysv_abi"; 3179 case CC_X86RegCall : return "regcall"; 3180 case CC_AAPCS: return "aapcs"; 3181 case CC_AAPCS_VFP: return "aapcs-vfp"; 3182 case CC_AArch64VectorCall: return "aarch64_vector_pcs"; 3183 case CC_IntelOclBicc: return "intel_ocl_bicc"; 3184 case CC_SpirFunction: return "spir_function"; 3185 case CC_OpenCLKernel: return "opencl_kernel"; 3186 case CC_Swift: return "swiftcall"; 3187 case CC_SwiftAsync: return "swiftasynccall"; 3188 case CC_PreserveMost: return "preserve_most"; 3189 case CC_PreserveAll: return "preserve_all"; 3190 } 3191 3192 llvm_unreachable("Invalid calling convention."); 3193 } 3194 3195 FunctionProtoType::FunctionProtoType(QualType result, ArrayRef<QualType> params, 3196 QualType canonical, 3197 const ExtProtoInfo &epi) 3198 : FunctionType(FunctionProto, result, canonical, result->getDependence(), 3199 epi.ExtInfo) { 3200 FunctionTypeBits.FastTypeQuals = epi.TypeQuals.getFastQualifiers(); 3201 FunctionTypeBits.RefQualifier = epi.RefQualifier; 3202 FunctionTypeBits.NumParams = params.size(); 3203 assert(getNumParams() == params.size() && "NumParams overflow!"); 3204 FunctionTypeBits.ExceptionSpecType = epi.ExceptionSpec.Type; 3205 FunctionTypeBits.HasExtParameterInfos = !!epi.ExtParameterInfos; 3206 FunctionTypeBits.Variadic = epi.Variadic; 3207 FunctionTypeBits.HasTrailingReturn = epi.HasTrailingReturn; 3208 3209 // Fill in the extra trailing bitfields if present. 3210 if (hasExtraBitfields(epi.ExceptionSpec.Type)) { 3211 auto &ExtraBits = *getTrailingObjects<FunctionTypeExtraBitfields>(); 3212 ExtraBits.NumExceptionType = epi.ExceptionSpec.Exceptions.size(); 3213 } 3214 3215 // Fill in the trailing argument array. 3216 auto *argSlot = getTrailingObjects<QualType>(); 3217 for (unsigned i = 0; i != getNumParams(); ++i) { 3218 addDependence(params[i]->getDependence() & 3219 ~TypeDependence::VariablyModified); 3220 argSlot[i] = params[i]; 3221 } 3222 3223 // Fill in the exception type array if present. 3224 if (getExceptionSpecType() == EST_Dynamic) { 3225 assert(hasExtraBitfields() && "missing trailing extra bitfields!"); 3226 auto *exnSlot = 3227 reinterpret_cast<QualType *>(getTrailingObjects<ExceptionType>()); 3228 unsigned I = 0; 3229 for (QualType ExceptionType : epi.ExceptionSpec.Exceptions) { 3230 // Note that, before C++17, a dependent exception specification does 3231 // *not* make a type dependent; it's not even part of the C++ type 3232 // system. 3233 addDependence( 3234 ExceptionType->getDependence() & 3235 (TypeDependence::Instantiation | TypeDependence::UnexpandedPack)); 3236 3237 exnSlot[I++] = ExceptionType; 3238 } 3239 } 3240 // Fill in the Expr * in the exception specification if present. 3241 else if (isComputedNoexcept(getExceptionSpecType())) { 3242 assert(epi.ExceptionSpec.NoexceptExpr && "computed noexcept with no expr"); 3243 assert((getExceptionSpecType() == EST_DependentNoexcept) == 3244 epi.ExceptionSpec.NoexceptExpr->isValueDependent()); 3245 3246 // Store the noexcept expression and context. 3247 *getTrailingObjects<Expr *>() = epi.ExceptionSpec.NoexceptExpr; 3248 3249 addDependence( 3250 toTypeDependence(epi.ExceptionSpec.NoexceptExpr->getDependence()) & 3251 (TypeDependence::Instantiation | TypeDependence::UnexpandedPack)); 3252 } 3253 // Fill in the FunctionDecl * in the exception specification if present. 3254 else if (getExceptionSpecType() == EST_Uninstantiated) { 3255 // Store the function decl from which we will resolve our 3256 // exception specification. 3257 auto **slot = getTrailingObjects<FunctionDecl *>(); 3258 slot[0] = epi.ExceptionSpec.SourceDecl; 3259 slot[1] = epi.ExceptionSpec.SourceTemplate; 3260 // This exception specification doesn't make the type dependent, because 3261 // it's not instantiated as part of instantiating the type. 3262 } else if (getExceptionSpecType() == EST_Unevaluated) { 3263 // Store the function decl from which we will resolve our 3264 // exception specification. 3265 auto **slot = getTrailingObjects<FunctionDecl *>(); 3266 slot[0] = epi.ExceptionSpec.SourceDecl; 3267 } 3268 3269 // If this is a canonical type, and its exception specification is dependent, 3270 // then it's a dependent type. This only happens in C++17 onwards. 3271 if (isCanonicalUnqualified()) { 3272 if (getExceptionSpecType() == EST_Dynamic || 3273 getExceptionSpecType() == EST_DependentNoexcept) { 3274 assert(hasDependentExceptionSpec() && "type should not be canonical"); 3275 addDependence(TypeDependence::DependentInstantiation); 3276 } 3277 } else if (getCanonicalTypeInternal()->isDependentType()) { 3278 // Ask our canonical type whether our exception specification was dependent. 3279 addDependence(TypeDependence::DependentInstantiation); 3280 } 3281 3282 // Fill in the extra parameter info if present. 3283 if (epi.ExtParameterInfos) { 3284 auto *extParamInfos = getTrailingObjects<ExtParameterInfo>(); 3285 for (unsigned i = 0; i != getNumParams(); ++i) 3286 extParamInfos[i] = epi.ExtParameterInfos[i]; 3287 } 3288 3289 if (epi.TypeQuals.hasNonFastQualifiers()) { 3290 FunctionTypeBits.HasExtQuals = 1; 3291 *getTrailingObjects<Qualifiers>() = epi.TypeQuals; 3292 } else { 3293 FunctionTypeBits.HasExtQuals = 0; 3294 } 3295 3296 // Fill in the Ellipsis location info if present. 3297 if (epi.Variadic) { 3298 auto &EllipsisLoc = *getTrailingObjects<SourceLocation>(); 3299 EllipsisLoc = epi.EllipsisLoc; 3300 } 3301 } 3302 3303 bool FunctionProtoType::hasDependentExceptionSpec() const { 3304 if (Expr *NE = getNoexceptExpr()) 3305 return NE->isValueDependent(); 3306 for (QualType ET : exceptions()) 3307 // A pack expansion with a non-dependent pattern is still dependent, 3308 // because we don't know whether the pattern is in the exception spec 3309 // or not (that depends on whether the pack has 0 expansions). 3310 if (ET->isDependentType() || ET->getAs<PackExpansionType>()) 3311 return true; 3312 return false; 3313 } 3314 3315 bool FunctionProtoType::hasInstantiationDependentExceptionSpec() const { 3316 if (Expr *NE = getNoexceptExpr()) 3317 return NE->isInstantiationDependent(); 3318 for (QualType ET : exceptions()) 3319 if (ET->isInstantiationDependentType()) 3320 return true; 3321 return false; 3322 } 3323 3324 CanThrowResult FunctionProtoType::canThrow() const { 3325 switch (getExceptionSpecType()) { 3326 case EST_Unparsed: 3327 case EST_Unevaluated: 3328 case EST_Uninstantiated: 3329 llvm_unreachable("should not call this with unresolved exception specs"); 3330 3331 case EST_DynamicNone: 3332 case EST_BasicNoexcept: 3333 case EST_NoexceptTrue: 3334 case EST_NoThrow: 3335 return CT_Cannot; 3336 3337 case EST_None: 3338 case EST_MSAny: 3339 case EST_NoexceptFalse: 3340 return CT_Can; 3341 3342 case EST_Dynamic: 3343 // A dynamic exception specification is throwing unless every exception 3344 // type is an (unexpanded) pack expansion type. 3345 for (unsigned I = 0; I != getNumExceptions(); ++I) 3346 if (!getExceptionType(I)->getAs<PackExpansionType>()) 3347 return CT_Can; 3348 return CT_Dependent; 3349 3350 case EST_DependentNoexcept: 3351 return CT_Dependent; 3352 } 3353 3354 llvm_unreachable("unexpected exception specification kind"); 3355 } 3356 3357 bool FunctionProtoType::isTemplateVariadic() const { 3358 for (unsigned ArgIdx = getNumParams(); ArgIdx; --ArgIdx) 3359 if (isa<PackExpansionType>(getParamType(ArgIdx - 1))) 3360 return true; 3361 3362 return false; 3363 } 3364 3365 void FunctionProtoType::Profile(llvm::FoldingSetNodeID &ID, QualType Result, 3366 const QualType *ArgTys, unsigned NumParams, 3367 const ExtProtoInfo &epi, 3368 const ASTContext &Context, bool Canonical) { 3369 // We have to be careful not to get ambiguous profile encodings. 3370 // Note that valid type pointers are never ambiguous with anything else. 3371 // 3372 // The encoding grammar begins: 3373 // type type* bool int bool 3374 // If that final bool is true, then there is a section for the EH spec: 3375 // bool type* 3376 // This is followed by an optional "consumed argument" section of the 3377 // same length as the first type sequence: 3378 // bool* 3379 // Finally, we have the ext info and trailing return type flag: 3380 // int bool 3381 // 3382 // There is no ambiguity between the consumed arguments and an empty EH 3383 // spec because of the leading 'bool' which unambiguously indicates 3384 // whether the following bool is the EH spec or part of the arguments. 3385 3386 ID.AddPointer(Result.getAsOpaquePtr()); 3387 for (unsigned i = 0; i != NumParams; ++i) 3388 ID.AddPointer(ArgTys[i].getAsOpaquePtr()); 3389 // This method is relatively performance sensitive, so as a performance 3390 // shortcut, use one AddInteger call instead of four for the next four 3391 // fields. 3392 assert(!(unsigned(epi.Variadic) & ~1) && 3393 !(unsigned(epi.RefQualifier) & ~3) && 3394 !(unsigned(epi.ExceptionSpec.Type) & ~15) && 3395 "Values larger than expected."); 3396 ID.AddInteger(unsigned(epi.Variadic) + 3397 (epi.RefQualifier << 1) + 3398 (epi.ExceptionSpec.Type << 3)); 3399 ID.Add(epi.TypeQuals); 3400 if (epi.ExceptionSpec.Type == EST_Dynamic) { 3401 for (QualType Ex : epi.ExceptionSpec.Exceptions) 3402 ID.AddPointer(Ex.getAsOpaquePtr()); 3403 } else if (isComputedNoexcept(epi.ExceptionSpec.Type)) { 3404 epi.ExceptionSpec.NoexceptExpr->Profile(ID, Context, Canonical); 3405 } else if (epi.ExceptionSpec.Type == EST_Uninstantiated || 3406 epi.ExceptionSpec.Type == EST_Unevaluated) { 3407 ID.AddPointer(epi.ExceptionSpec.SourceDecl->getCanonicalDecl()); 3408 } 3409 if (epi.ExtParameterInfos) { 3410 for (unsigned i = 0; i != NumParams; ++i) 3411 ID.AddInteger(epi.ExtParameterInfos[i].getOpaqueValue()); 3412 } 3413 epi.ExtInfo.Profile(ID); 3414 ID.AddBoolean(epi.HasTrailingReturn); 3415 } 3416 3417 void FunctionProtoType::Profile(llvm::FoldingSetNodeID &ID, 3418 const ASTContext &Ctx) { 3419 Profile(ID, getReturnType(), param_type_begin(), getNumParams(), 3420 getExtProtoInfo(), Ctx, isCanonicalUnqualified()); 3421 } 3422 3423 TypedefType::TypedefType(TypeClass tc, const TypedefNameDecl *D, 3424 QualType underlying, QualType can) 3425 : Type(tc, can, underlying->getDependence()), 3426 Decl(const_cast<TypedefNameDecl *>(D)) { 3427 assert(!isa<TypedefType>(can) && "Invalid canonical type"); 3428 } 3429 3430 QualType TypedefType::desugar() const { 3431 return getDecl()->getUnderlyingType(); 3432 } 3433 3434 UsingType::UsingType(const UsingShadowDecl *Found, QualType Underlying, 3435 QualType Canon) 3436 : Type(Using, Canon, Underlying->getDependence()), 3437 Found(const_cast<UsingShadowDecl *>(Found)) { 3438 assert(Underlying == getUnderlyingType()); 3439 } 3440 3441 QualType UsingType::getUnderlyingType() const { 3442 return QualType(cast<TypeDecl>(Found->getTargetDecl())->getTypeForDecl(), 0); 3443 } 3444 3445 QualType MacroQualifiedType::desugar() const { return getUnderlyingType(); } 3446 3447 QualType MacroQualifiedType::getModifiedType() const { 3448 // Step over MacroQualifiedTypes from the same macro to find the type 3449 // ultimately qualified by the macro qualifier. 3450 QualType Inner = cast<AttributedType>(getUnderlyingType())->getModifiedType(); 3451 while (auto *InnerMQT = dyn_cast<MacroQualifiedType>(Inner)) { 3452 if (InnerMQT->getMacroIdentifier() != getMacroIdentifier()) 3453 break; 3454 Inner = InnerMQT->getModifiedType(); 3455 } 3456 return Inner; 3457 } 3458 3459 TypeOfExprType::TypeOfExprType(Expr *E, QualType can) 3460 : Type(TypeOfExpr, can, 3461 toTypeDependence(E->getDependence()) | 3462 (E->getType()->getDependence() & 3463 TypeDependence::VariablyModified)), 3464 TOExpr(E) {} 3465 3466 bool TypeOfExprType::isSugared() const { 3467 return !TOExpr->isTypeDependent(); 3468 } 3469 3470 QualType TypeOfExprType::desugar() const { 3471 if (isSugared()) 3472 return getUnderlyingExpr()->getType(); 3473 3474 return QualType(this, 0); 3475 } 3476 3477 void DependentTypeOfExprType::Profile(llvm::FoldingSetNodeID &ID, 3478 const ASTContext &Context, Expr *E) { 3479 E->Profile(ID, Context, true); 3480 } 3481 3482 DecltypeType::DecltypeType(Expr *E, QualType underlyingType, QualType can) 3483 // C++11 [temp.type]p2: "If an expression e involves a template parameter, 3484 // decltype(e) denotes a unique dependent type." Hence a decltype type is 3485 // type-dependent even if its expression is only instantiation-dependent. 3486 : Type(Decltype, can, 3487 toTypeDependence(E->getDependence()) | 3488 (E->isInstantiationDependent() ? TypeDependence::Dependent 3489 : TypeDependence::None) | 3490 (E->getType()->getDependence() & 3491 TypeDependence::VariablyModified)), 3492 E(E), UnderlyingType(underlyingType) {} 3493 3494 bool DecltypeType::isSugared() const { return !E->isInstantiationDependent(); } 3495 3496 QualType DecltypeType::desugar() const { 3497 if (isSugared()) 3498 return getUnderlyingType(); 3499 3500 return QualType(this, 0); 3501 } 3502 3503 DependentDecltypeType::DependentDecltypeType(const ASTContext &Context, Expr *E) 3504 : DecltypeType(E, Context.DependentTy), Context(Context) {} 3505 3506 void DependentDecltypeType::Profile(llvm::FoldingSetNodeID &ID, 3507 const ASTContext &Context, Expr *E) { 3508 E->Profile(ID, Context, true); 3509 } 3510 3511 UnaryTransformType::UnaryTransformType(QualType BaseType, 3512 QualType UnderlyingType, UTTKind UKind, 3513 QualType CanonicalType) 3514 : Type(UnaryTransform, CanonicalType, BaseType->getDependence()), 3515 BaseType(BaseType), UnderlyingType(UnderlyingType), UKind(UKind) {} 3516 3517 DependentUnaryTransformType::DependentUnaryTransformType(const ASTContext &C, 3518 QualType BaseType, 3519 UTTKind UKind) 3520 : UnaryTransformType(BaseType, C.DependentTy, UKind, QualType()) {} 3521 3522 TagType::TagType(TypeClass TC, const TagDecl *D, QualType can) 3523 : Type(TC, can, 3524 D->isDependentType() ? TypeDependence::DependentInstantiation 3525 : TypeDependence::None), 3526 decl(const_cast<TagDecl *>(D)) {} 3527 3528 static TagDecl *getInterestingTagDecl(TagDecl *decl) { 3529 for (auto I : decl->redecls()) { 3530 if (I->isCompleteDefinition() || I->isBeingDefined()) 3531 return I; 3532 } 3533 // If there's no definition (not even in progress), return what we have. 3534 return decl; 3535 } 3536 3537 TagDecl *TagType::getDecl() const { 3538 return getInterestingTagDecl(decl); 3539 } 3540 3541 bool TagType::isBeingDefined() const { 3542 return getDecl()->isBeingDefined(); 3543 } 3544 3545 bool RecordType::hasConstFields() const { 3546 std::vector<const RecordType*> RecordTypeList; 3547 RecordTypeList.push_back(this); 3548 unsigned NextToCheckIndex = 0; 3549 3550 while (RecordTypeList.size() > NextToCheckIndex) { 3551 for (FieldDecl *FD : 3552 RecordTypeList[NextToCheckIndex]->getDecl()->fields()) { 3553 QualType FieldTy = FD->getType(); 3554 if (FieldTy.isConstQualified()) 3555 return true; 3556 FieldTy = FieldTy.getCanonicalType(); 3557 if (const auto *FieldRecTy = FieldTy->getAs<RecordType>()) { 3558 if (!llvm::is_contained(RecordTypeList, FieldRecTy)) 3559 RecordTypeList.push_back(FieldRecTy); 3560 } 3561 } 3562 ++NextToCheckIndex; 3563 } 3564 return false; 3565 } 3566 3567 bool AttributedType::isQualifier() const { 3568 // FIXME: Generate this with TableGen. 3569 switch (getAttrKind()) { 3570 // These are type qualifiers in the traditional C sense: they annotate 3571 // something about a specific value/variable of a type. (They aren't 3572 // always part of the canonical type, though.) 3573 case attr::ObjCGC: 3574 case attr::ObjCOwnership: 3575 case attr::ObjCInertUnsafeUnretained: 3576 case attr::TypeNonNull: 3577 case attr::TypeNullable: 3578 case attr::TypeNullableResult: 3579 case attr::TypeNullUnspecified: 3580 case attr::LifetimeBound: 3581 case attr::AddressSpace: 3582 return true; 3583 3584 // All other type attributes aren't qualifiers; they rewrite the modified 3585 // type to be a semantically different type. 3586 default: 3587 return false; 3588 } 3589 } 3590 3591 bool AttributedType::isMSTypeSpec() const { 3592 // FIXME: Generate this with TableGen? 3593 switch (getAttrKind()) { 3594 default: return false; 3595 case attr::Ptr32: 3596 case attr::Ptr64: 3597 case attr::SPtr: 3598 case attr::UPtr: 3599 return true; 3600 } 3601 llvm_unreachable("invalid attr kind"); 3602 } 3603 3604 bool AttributedType::isCallingConv() const { 3605 // FIXME: Generate this with TableGen. 3606 switch (getAttrKind()) { 3607 default: return false; 3608 case attr::Pcs: 3609 case attr::CDecl: 3610 case attr::FastCall: 3611 case attr::StdCall: 3612 case attr::ThisCall: 3613 case attr::RegCall: 3614 case attr::SwiftCall: 3615 case attr::SwiftAsyncCall: 3616 case attr::VectorCall: 3617 case attr::AArch64VectorPcs: 3618 case attr::Pascal: 3619 case attr::MSABI: 3620 case attr::SysVABI: 3621 case attr::IntelOclBicc: 3622 case attr::PreserveMost: 3623 case attr::PreserveAll: 3624 return true; 3625 } 3626 llvm_unreachable("invalid attr kind"); 3627 } 3628 3629 CXXRecordDecl *InjectedClassNameType::getDecl() const { 3630 return cast<CXXRecordDecl>(getInterestingTagDecl(Decl)); 3631 } 3632 3633 IdentifierInfo *TemplateTypeParmType::getIdentifier() const { 3634 return isCanonicalUnqualified() ? nullptr : getDecl()->getIdentifier(); 3635 } 3636 3637 SubstTemplateTypeParmPackType::SubstTemplateTypeParmPackType( 3638 const TemplateTypeParmType *Param, QualType Canon, 3639 const TemplateArgument &ArgPack) 3640 : Type(SubstTemplateTypeParmPack, Canon, 3641 TypeDependence::DependentInstantiation | 3642 TypeDependence::UnexpandedPack), 3643 Replaced(Param), Arguments(ArgPack.pack_begin()) { 3644 SubstTemplateTypeParmPackTypeBits.NumArgs = ArgPack.pack_size(); 3645 } 3646 3647 TemplateArgument SubstTemplateTypeParmPackType::getArgumentPack() const { 3648 return TemplateArgument(llvm::makeArrayRef(Arguments, getNumArgs())); 3649 } 3650 3651 void SubstTemplateTypeParmPackType::Profile(llvm::FoldingSetNodeID &ID) { 3652 Profile(ID, getReplacedParameter(), getArgumentPack()); 3653 } 3654 3655 void SubstTemplateTypeParmPackType::Profile(llvm::FoldingSetNodeID &ID, 3656 const TemplateTypeParmType *Replaced, 3657 const TemplateArgument &ArgPack) { 3658 ID.AddPointer(Replaced); 3659 ID.AddInteger(ArgPack.pack_size()); 3660 for (const auto &P : ArgPack.pack_elements()) 3661 ID.AddPointer(P.getAsType().getAsOpaquePtr()); 3662 } 3663 3664 bool TemplateSpecializationType::anyDependentTemplateArguments( 3665 const TemplateArgumentListInfo &Args, ArrayRef<TemplateArgument> Converted) { 3666 return anyDependentTemplateArguments(Args.arguments(), Converted); 3667 } 3668 3669 bool TemplateSpecializationType::anyDependentTemplateArguments( 3670 ArrayRef<TemplateArgumentLoc> Args, ArrayRef<TemplateArgument> Converted) { 3671 for (const TemplateArgument &Arg : Converted) 3672 if (Arg.isDependent()) 3673 return true; 3674 return false; 3675 } 3676 3677 bool TemplateSpecializationType::anyInstantiationDependentTemplateArguments( 3678 ArrayRef<TemplateArgumentLoc> Args) { 3679 for (const TemplateArgumentLoc &ArgLoc : Args) { 3680 if (ArgLoc.getArgument().isInstantiationDependent()) 3681 return true; 3682 } 3683 return false; 3684 } 3685 3686 TemplateSpecializationType::TemplateSpecializationType( 3687 TemplateName T, ArrayRef<TemplateArgument> Args, QualType Canon, 3688 QualType AliasedType) 3689 : Type(TemplateSpecialization, Canon.isNull() ? QualType(this, 0) : Canon, 3690 (Canon.isNull() 3691 ? TypeDependence::DependentInstantiation 3692 : Canon->getDependence() & ~(TypeDependence::VariablyModified | 3693 TypeDependence::UnexpandedPack)) | 3694 (toTypeDependence(T.getDependence()) & 3695 TypeDependence::UnexpandedPack)), 3696 Template(T) { 3697 TemplateSpecializationTypeBits.NumArgs = Args.size(); 3698 TemplateSpecializationTypeBits.TypeAlias = !AliasedType.isNull(); 3699 3700 assert(!T.getAsDependentTemplateName() && 3701 "Use DependentTemplateSpecializationType for dependent template-name"); 3702 assert((T.getKind() == TemplateName::Template || 3703 T.getKind() == TemplateName::SubstTemplateTemplateParm || 3704 T.getKind() == TemplateName::SubstTemplateTemplateParmPack) && 3705 "Unexpected template name for TemplateSpecializationType"); 3706 3707 auto *TemplateArgs = reinterpret_cast<TemplateArgument *>(this + 1); 3708 for (const TemplateArgument &Arg : Args) { 3709 // Update instantiation-dependent, variably-modified, and error bits. 3710 // If the canonical type exists and is non-dependent, the template 3711 // specialization type can be non-dependent even if one of the type 3712 // arguments is. Given: 3713 // template<typename T> using U = int; 3714 // U<T> is always non-dependent, irrespective of the type T. 3715 // However, U<Ts> contains an unexpanded parameter pack, even though 3716 // its expansion (and thus its desugared type) doesn't. 3717 addDependence(toTypeDependence(Arg.getDependence()) & 3718 ~TypeDependence::Dependent); 3719 if (Arg.getKind() == TemplateArgument::Type) 3720 addDependence(Arg.getAsType()->getDependence() & 3721 TypeDependence::VariablyModified); 3722 new (TemplateArgs++) TemplateArgument(Arg); 3723 } 3724 3725 // Store the aliased type if this is a type alias template specialization. 3726 if (isTypeAlias()) { 3727 auto *Begin = reinterpret_cast<TemplateArgument *>(this + 1); 3728 *reinterpret_cast<QualType*>(Begin + getNumArgs()) = AliasedType; 3729 } 3730 } 3731 3732 void 3733 TemplateSpecializationType::Profile(llvm::FoldingSetNodeID &ID, 3734 TemplateName T, 3735 ArrayRef<TemplateArgument> Args, 3736 const ASTContext &Context) { 3737 T.Profile(ID); 3738 for (const TemplateArgument &Arg : Args) 3739 Arg.Profile(ID, Context); 3740 } 3741 3742 QualType 3743 QualifierCollector::apply(const ASTContext &Context, QualType QT) const { 3744 if (!hasNonFastQualifiers()) 3745 return QT.withFastQualifiers(getFastQualifiers()); 3746 3747 return Context.getQualifiedType(QT, *this); 3748 } 3749 3750 QualType 3751 QualifierCollector::apply(const ASTContext &Context, const Type *T) const { 3752 if (!hasNonFastQualifiers()) 3753 return QualType(T, getFastQualifiers()); 3754 3755 return Context.getQualifiedType(T, *this); 3756 } 3757 3758 void ObjCObjectTypeImpl::Profile(llvm::FoldingSetNodeID &ID, 3759 QualType BaseType, 3760 ArrayRef<QualType> typeArgs, 3761 ArrayRef<ObjCProtocolDecl *> protocols, 3762 bool isKindOf) { 3763 ID.AddPointer(BaseType.getAsOpaquePtr()); 3764 ID.AddInteger(typeArgs.size()); 3765 for (auto typeArg : typeArgs) 3766 ID.AddPointer(typeArg.getAsOpaquePtr()); 3767 ID.AddInteger(protocols.size()); 3768 for (auto proto : protocols) 3769 ID.AddPointer(proto); 3770 ID.AddBoolean(isKindOf); 3771 } 3772 3773 void ObjCObjectTypeImpl::Profile(llvm::FoldingSetNodeID &ID) { 3774 Profile(ID, getBaseType(), getTypeArgsAsWritten(), 3775 llvm::makeArrayRef(qual_begin(), getNumProtocols()), 3776 isKindOfTypeAsWritten()); 3777 } 3778 3779 void ObjCTypeParamType::Profile(llvm::FoldingSetNodeID &ID, 3780 const ObjCTypeParamDecl *OTPDecl, 3781 QualType CanonicalType, 3782 ArrayRef<ObjCProtocolDecl *> protocols) { 3783 ID.AddPointer(OTPDecl); 3784 ID.AddPointer(CanonicalType.getAsOpaquePtr()); 3785 ID.AddInteger(protocols.size()); 3786 for (auto proto : protocols) 3787 ID.AddPointer(proto); 3788 } 3789 3790 void ObjCTypeParamType::Profile(llvm::FoldingSetNodeID &ID) { 3791 Profile(ID, getDecl(), getCanonicalTypeInternal(), 3792 llvm::makeArrayRef(qual_begin(), getNumProtocols())); 3793 } 3794 3795 namespace { 3796 3797 /// The cached properties of a type. 3798 class CachedProperties { 3799 Linkage L; 3800 bool local; 3801 3802 public: 3803 CachedProperties(Linkage L, bool local) : L(L), local(local) {} 3804 3805 Linkage getLinkage() const { return L; } 3806 bool hasLocalOrUnnamedType() const { return local; } 3807 3808 friend CachedProperties merge(CachedProperties L, CachedProperties R) { 3809 Linkage MergedLinkage = minLinkage(L.L, R.L); 3810 return CachedProperties(MergedLinkage, L.hasLocalOrUnnamedType() || 3811 R.hasLocalOrUnnamedType()); 3812 } 3813 }; 3814 3815 } // namespace 3816 3817 static CachedProperties computeCachedProperties(const Type *T); 3818 3819 namespace clang { 3820 3821 /// The type-property cache. This is templated so as to be 3822 /// instantiated at an internal type to prevent unnecessary symbol 3823 /// leakage. 3824 template <class Private> class TypePropertyCache { 3825 public: 3826 static CachedProperties get(QualType T) { 3827 return get(T.getTypePtr()); 3828 } 3829 3830 static CachedProperties get(const Type *T) { 3831 ensure(T); 3832 return CachedProperties(T->TypeBits.getLinkage(), 3833 T->TypeBits.hasLocalOrUnnamedType()); 3834 } 3835 3836 static void ensure(const Type *T) { 3837 // If the cache is valid, we're okay. 3838 if (T->TypeBits.isCacheValid()) return; 3839 3840 // If this type is non-canonical, ask its canonical type for the 3841 // relevant information. 3842 if (!T->isCanonicalUnqualified()) { 3843 const Type *CT = T->getCanonicalTypeInternal().getTypePtr(); 3844 ensure(CT); 3845 T->TypeBits.CacheValid = true; 3846 T->TypeBits.CachedLinkage = CT->TypeBits.CachedLinkage; 3847 T->TypeBits.CachedLocalOrUnnamed = CT->TypeBits.CachedLocalOrUnnamed; 3848 return; 3849 } 3850 3851 // Compute the cached properties and then set the cache. 3852 CachedProperties Result = computeCachedProperties(T); 3853 T->TypeBits.CacheValid = true; 3854 T->TypeBits.CachedLinkage = Result.getLinkage(); 3855 T->TypeBits.CachedLocalOrUnnamed = Result.hasLocalOrUnnamedType(); 3856 } 3857 }; 3858 3859 } // namespace clang 3860 3861 // Instantiate the friend template at a private class. In a 3862 // reasonable implementation, these symbols will be internal. 3863 // It is terrible that this is the best way to accomplish this. 3864 namespace { 3865 3866 class Private {}; 3867 3868 } // namespace 3869 3870 using Cache = TypePropertyCache<Private>; 3871 3872 static CachedProperties computeCachedProperties(const Type *T) { 3873 switch (T->getTypeClass()) { 3874 #define TYPE(Class,Base) 3875 #define NON_CANONICAL_TYPE(Class,Base) case Type::Class: 3876 #include "clang/AST/TypeNodes.inc" 3877 llvm_unreachable("didn't expect a non-canonical type here"); 3878 3879 #define TYPE(Class,Base) 3880 #define DEPENDENT_TYPE(Class,Base) case Type::Class: 3881 #define NON_CANONICAL_UNLESS_DEPENDENT_TYPE(Class,Base) case Type::Class: 3882 #include "clang/AST/TypeNodes.inc" 3883 // Treat instantiation-dependent types as external. 3884 if (!T->isInstantiationDependentType()) T->dump(); 3885 assert(T->isInstantiationDependentType()); 3886 return CachedProperties(ExternalLinkage, false); 3887 3888 case Type::Auto: 3889 case Type::DeducedTemplateSpecialization: 3890 // Give non-deduced 'auto' types external linkage. We should only see them 3891 // here in error recovery. 3892 return CachedProperties(ExternalLinkage, false); 3893 3894 case Type::BitInt: 3895 case Type::Builtin: 3896 // C++ [basic.link]p8: 3897 // A type is said to have linkage if and only if: 3898 // - it is a fundamental type (3.9.1); or 3899 return CachedProperties(ExternalLinkage, false); 3900 3901 case Type::Record: 3902 case Type::Enum: { 3903 const TagDecl *Tag = cast<TagType>(T)->getDecl(); 3904 3905 // C++ [basic.link]p8: 3906 // - it is a class or enumeration type that is named (or has a name 3907 // for linkage purposes (7.1.3)) and the name has linkage; or 3908 // - it is a specialization of a class template (14); or 3909 Linkage L = Tag->getLinkageInternal(); 3910 bool IsLocalOrUnnamed = 3911 Tag->getDeclContext()->isFunctionOrMethod() || 3912 !Tag->hasNameForLinkage(); 3913 return CachedProperties(L, IsLocalOrUnnamed); 3914 } 3915 3916 // C++ [basic.link]p8: 3917 // - it is a compound type (3.9.2) other than a class or enumeration, 3918 // compounded exclusively from types that have linkage; or 3919 case Type::Complex: 3920 return Cache::get(cast<ComplexType>(T)->getElementType()); 3921 case Type::Pointer: 3922 return Cache::get(cast<PointerType>(T)->getPointeeType()); 3923 case Type::BlockPointer: 3924 return Cache::get(cast<BlockPointerType>(T)->getPointeeType()); 3925 case Type::LValueReference: 3926 case Type::RValueReference: 3927 return Cache::get(cast<ReferenceType>(T)->getPointeeType()); 3928 case Type::MemberPointer: { 3929 const auto *MPT = cast<MemberPointerType>(T); 3930 return merge(Cache::get(MPT->getClass()), 3931 Cache::get(MPT->getPointeeType())); 3932 } 3933 case Type::ConstantArray: 3934 case Type::IncompleteArray: 3935 case Type::VariableArray: 3936 return Cache::get(cast<ArrayType>(T)->getElementType()); 3937 case Type::Vector: 3938 case Type::ExtVector: 3939 return Cache::get(cast<VectorType>(T)->getElementType()); 3940 case Type::ConstantMatrix: 3941 return Cache::get(cast<ConstantMatrixType>(T)->getElementType()); 3942 case Type::FunctionNoProto: 3943 return Cache::get(cast<FunctionType>(T)->getReturnType()); 3944 case Type::FunctionProto: { 3945 const auto *FPT = cast<FunctionProtoType>(T); 3946 CachedProperties result = Cache::get(FPT->getReturnType()); 3947 for (const auto &ai : FPT->param_types()) 3948 result = merge(result, Cache::get(ai)); 3949 return result; 3950 } 3951 case Type::ObjCInterface: { 3952 Linkage L = cast<ObjCInterfaceType>(T)->getDecl()->getLinkageInternal(); 3953 return CachedProperties(L, false); 3954 } 3955 case Type::ObjCObject: 3956 return Cache::get(cast<ObjCObjectType>(T)->getBaseType()); 3957 case Type::ObjCObjectPointer: 3958 return Cache::get(cast<ObjCObjectPointerType>(T)->getPointeeType()); 3959 case Type::Atomic: 3960 return Cache::get(cast<AtomicType>(T)->getValueType()); 3961 case Type::Pipe: 3962 return Cache::get(cast<PipeType>(T)->getElementType()); 3963 } 3964 3965 llvm_unreachable("unhandled type class"); 3966 } 3967 3968 /// Determine the linkage of this type. 3969 Linkage Type::getLinkage() const { 3970 Cache::ensure(this); 3971 return TypeBits.getLinkage(); 3972 } 3973 3974 bool Type::hasUnnamedOrLocalType() const { 3975 Cache::ensure(this); 3976 return TypeBits.hasLocalOrUnnamedType(); 3977 } 3978 3979 LinkageInfo LinkageComputer::computeTypeLinkageInfo(const Type *T) { 3980 switch (T->getTypeClass()) { 3981 #define TYPE(Class,Base) 3982 #define NON_CANONICAL_TYPE(Class,Base) case Type::Class: 3983 #include "clang/AST/TypeNodes.inc" 3984 llvm_unreachable("didn't expect a non-canonical type here"); 3985 3986 #define TYPE(Class,Base) 3987 #define DEPENDENT_TYPE(Class,Base) case Type::Class: 3988 #define NON_CANONICAL_UNLESS_DEPENDENT_TYPE(Class,Base) case Type::Class: 3989 #include "clang/AST/TypeNodes.inc" 3990 // Treat instantiation-dependent types as external. 3991 assert(T->isInstantiationDependentType()); 3992 return LinkageInfo::external(); 3993 3994 case Type::BitInt: 3995 case Type::Builtin: 3996 return LinkageInfo::external(); 3997 3998 case Type::Auto: 3999 case Type::DeducedTemplateSpecialization: 4000 return LinkageInfo::external(); 4001 4002 case Type::Record: 4003 case Type::Enum: 4004 return getDeclLinkageAndVisibility(cast<TagType>(T)->getDecl()); 4005 4006 case Type::Complex: 4007 return computeTypeLinkageInfo(cast<ComplexType>(T)->getElementType()); 4008 case Type::Pointer: 4009 return computeTypeLinkageInfo(cast<PointerType>(T)->getPointeeType()); 4010 case Type::BlockPointer: 4011 return computeTypeLinkageInfo(cast<BlockPointerType>(T)->getPointeeType()); 4012 case Type::LValueReference: 4013 case Type::RValueReference: 4014 return computeTypeLinkageInfo(cast<ReferenceType>(T)->getPointeeType()); 4015 case Type::MemberPointer: { 4016 const auto *MPT = cast<MemberPointerType>(T); 4017 LinkageInfo LV = computeTypeLinkageInfo(MPT->getClass()); 4018 LV.merge(computeTypeLinkageInfo(MPT->getPointeeType())); 4019 return LV; 4020 } 4021 case Type::ConstantArray: 4022 case Type::IncompleteArray: 4023 case Type::VariableArray: 4024 return computeTypeLinkageInfo(cast<ArrayType>(T)->getElementType()); 4025 case Type::Vector: 4026 case Type::ExtVector: 4027 return computeTypeLinkageInfo(cast<VectorType>(T)->getElementType()); 4028 case Type::ConstantMatrix: 4029 return computeTypeLinkageInfo( 4030 cast<ConstantMatrixType>(T)->getElementType()); 4031 case Type::FunctionNoProto: 4032 return computeTypeLinkageInfo(cast<FunctionType>(T)->getReturnType()); 4033 case Type::FunctionProto: { 4034 const auto *FPT = cast<FunctionProtoType>(T); 4035 LinkageInfo LV = computeTypeLinkageInfo(FPT->getReturnType()); 4036 for (const auto &ai : FPT->param_types()) 4037 LV.merge(computeTypeLinkageInfo(ai)); 4038 return LV; 4039 } 4040 case Type::ObjCInterface: 4041 return getDeclLinkageAndVisibility(cast<ObjCInterfaceType>(T)->getDecl()); 4042 case Type::ObjCObject: 4043 return computeTypeLinkageInfo(cast<ObjCObjectType>(T)->getBaseType()); 4044 case Type::ObjCObjectPointer: 4045 return computeTypeLinkageInfo( 4046 cast<ObjCObjectPointerType>(T)->getPointeeType()); 4047 case Type::Atomic: 4048 return computeTypeLinkageInfo(cast<AtomicType>(T)->getValueType()); 4049 case Type::Pipe: 4050 return computeTypeLinkageInfo(cast<PipeType>(T)->getElementType()); 4051 } 4052 4053 llvm_unreachable("unhandled type class"); 4054 } 4055 4056 bool Type::isLinkageValid() const { 4057 if (!TypeBits.isCacheValid()) 4058 return true; 4059 4060 Linkage L = LinkageComputer{} 4061 .computeTypeLinkageInfo(getCanonicalTypeInternal()) 4062 .getLinkage(); 4063 return L == TypeBits.getLinkage(); 4064 } 4065 4066 LinkageInfo LinkageComputer::getTypeLinkageAndVisibility(const Type *T) { 4067 if (!T->isCanonicalUnqualified()) 4068 return computeTypeLinkageInfo(T->getCanonicalTypeInternal()); 4069 4070 LinkageInfo LV = computeTypeLinkageInfo(T); 4071 assert(LV.getLinkage() == T->getLinkage()); 4072 return LV; 4073 } 4074 4075 LinkageInfo Type::getLinkageAndVisibility() const { 4076 return LinkageComputer{}.getTypeLinkageAndVisibility(this); 4077 } 4078 4079 Optional<NullabilityKind> 4080 Type::getNullability(const ASTContext &Context) const { 4081 QualType Type(this, 0); 4082 while (const auto *AT = Type->getAs<AttributedType>()) { 4083 // Check whether this is an attributed type with nullability 4084 // information. 4085 if (auto Nullability = AT->getImmediateNullability()) 4086 return Nullability; 4087 4088 Type = AT->getEquivalentType(); 4089 } 4090 return None; 4091 } 4092 4093 bool Type::canHaveNullability(bool ResultIfUnknown) const { 4094 QualType type = getCanonicalTypeInternal(); 4095 4096 switch (type->getTypeClass()) { 4097 // We'll only see canonical types here. 4098 #define NON_CANONICAL_TYPE(Class, Parent) \ 4099 case Type::Class: \ 4100 llvm_unreachable("non-canonical type"); 4101 #define TYPE(Class, Parent) 4102 #include "clang/AST/TypeNodes.inc" 4103 4104 // Pointer types. 4105 case Type::Pointer: 4106 case Type::BlockPointer: 4107 case Type::MemberPointer: 4108 case Type::ObjCObjectPointer: 4109 return true; 4110 4111 // Dependent types that could instantiate to pointer types. 4112 case Type::UnresolvedUsing: 4113 case Type::TypeOfExpr: 4114 case Type::TypeOf: 4115 case Type::Decltype: 4116 case Type::UnaryTransform: 4117 case Type::TemplateTypeParm: 4118 case Type::SubstTemplateTypeParmPack: 4119 case Type::DependentName: 4120 case Type::DependentTemplateSpecialization: 4121 case Type::Auto: 4122 return ResultIfUnknown; 4123 4124 // Dependent template specializations can instantiate to pointer 4125 // types unless they're known to be specializations of a class 4126 // template. 4127 case Type::TemplateSpecialization: 4128 if (TemplateDecl *templateDecl 4129 = cast<TemplateSpecializationType>(type.getTypePtr()) 4130 ->getTemplateName().getAsTemplateDecl()) { 4131 if (isa<ClassTemplateDecl>(templateDecl)) 4132 return false; 4133 } 4134 return ResultIfUnknown; 4135 4136 case Type::Builtin: 4137 switch (cast<BuiltinType>(type.getTypePtr())->getKind()) { 4138 // Signed, unsigned, and floating-point types cannot have nullability. 4139 #define SIGNED_TYPE(Id, SingletonId) case BuiltinType::Id: 4140 #define UNSIGNED_TYPE(Id, SingletonId) case BuiltinType::Id: 4141 #define FLOATING_TYPE(Id, SingletonId) case BuiltinType::Id: 4142 #define BUILTIN_TYPE(Id, SingletonId) 4143 #include "clang/AST/BuiltinTypes.def" 4144 return false; 4145 4146 // Dependent types that could instantiate to a pointer type. 4147 case BuiltinType::Dependent: 4148 case BuiltinType::Overload: 4149 case BuiltinType::BoundMember: 4150 case BuiltinType::PseudoObject: 4151 case BuiltinType::UnknownAny: 4152 case BuiltinType::ARCUnbridgedCast: 4153 return ResultIfUnknown; 4154 4155 case BuiltinType::Void: 4156 case BuiltinType::ObjCId: 4157 case BuiltinType::ObjCClass: 4158 case BuiltinType::ObjCSel: 4159 #define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \ 4160 case BuiltinType::Id: 4161 #include "clang/Basic/OpenCLImageTypes.def" 4162 #define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \ 4163 case BuiltinType::Id: 4164 #include "clang/Basic/OpenCLExtensionTypes.def" 4165 case BuiltinType::OCLSampler: 4166 case BuiltinType::OCLEvent: 4167 case BuiltinType::OCLClkEvent: 4168 case BuiltinType::OCLQueue: 4169 case BuiltinType::OCLReserveID: 4170 #define SVE_TYPE(Name, Id, SingletonId) \ 4171 case BuiltinType::Id: 4172 #include "clang/Basic/AArch64SVEACLETypes.def" 4173 #define PPC_VECTOR_TYPE(Name, Id, Size) \ 4174 case BuiltinType::Id: 4175 #include "clang/Basic/PPCTypes.def" 4176 #define RVV_TYPE(Name, Id, SingletonId) case BuiltinType::Id: 4177 #include "clang/Basic/RISCVVTypes.def" 4178 case BuiltinType::BuiltinFn: 4179 case BuiltinType::NullPtr: 4180 case BuiltinType::IncompleteMatrixIdx: 4181 case BuiltinType::OMPArraySection: 4182 case BuiltinType::OMPArrayShaping: 4183 case BuiltinType::OMPIterator: 4184 return false; 4185 } 4186 llvm_unreachable("unknown builtin type"); 4187 4188 // Non-pointer types. 4189 case Type::Complex: 4190 case Type::LValueReference: 4191 case Type::RValueReference: 4192 case Type::ConstantArray: 4193 case Type::IncompleteArray: 4194 case Type::VariableArray: 4195 case Type::DependentSizedArray: 4196 case Type::DependentVector: 4197 case Type::DependentSizedExtVector: 4198 case Type::Vector: 4199 case Type::ExtVector: 4200 case Type::ConstantMatrix: 4201 case Type::DependentSizedMatrix: 4202 case Type::DependentAddressSpace: 4203 case Type::FunctionProto: 4204 case Type::FunctionNoProto: 4205 case Type::Record: 4206 case Type::DeducedTemplateSpecialization: 4207 case Type::Enum: 4208 case Type::InjectedClassName: 4209 case Type::PackExpansion: 4210 case Type::ObjCObject: 4211 case Type::ObjCInterface: 4212 case Type::Atomic: 4213 case Type::Pipe: 4214 case Type::BitInt: 4215 case Type::DependentBitInt: 4216 return false; 4217 } 4218 llvm_unreachable("bad type kind!"); 4219 } 4220 4221 llvm::Optional<NullabilityKind> 4222 AttributedType::getImmediateNullability() const { 4223 if (getAttrKind() == attr::TypeNonNull) 4224 return NullabilityKind::NonNull; 4225 if (getAttrKind() == attr::TypeNullable) 4226 return NullabilityKind::Nullable; 4227 if (getAttrKind() == attr::TypeNullUnspecified) 4228 return NullabilityKind::Unspecified; 4229 if (getAttrKind() == attr::TypeNullableResult) 4230 return NullabilityKind::NullableResult; 4231 return None; 4232 } 4233 4234 Optional<NullabilityKind> AttributedType::stripOuterNullability(QualType &T) { 4235 QualType AttrTy = T; 4236 if (auto MacroTy = dyn_cast<MacroQualifiedType>(T)) 4237 AttrTy = MacroTy->getUnderlyingType(); 4238 4239 if (auto attributed = dyn_cast<AttributedType>(AttrTy)) { 4240 if (auto nullability = attributed->getImmediateNullability()) { 4241 T = attributed->getModifiedType(); 4242 return nullability; 4243 } 4244 } 4245 4246 return None; 4247 } 4248 4249 bool Type::isBlockCompatibleObjCPointerType(ASTContext &ctx) const { 4250 const auto *objcPtr = getAs<ObjCObjectPointerType>(); 4251 if (!objcPtr) 4252 return false; 4253 4254 if (objcPtr->isObjCIdType()) { 4255 // id is always okay. 4256 return true; 4257 } 4258 4259 // Blocks are NSObjects. 4260 if (ObjCInterfaceDecl *iface = objcPtr->getInterfaceDecl()) { 4261 if (iface->getIdentifier() != ctx.getNSObjectName()) 4262 return false; 4263 4264 // Continue to check qualifiers, below. 4265 } else if (objcPtr->isObjCQualifiedIdType()) { 4266 // Continue to check qualifiers, below. 4267 } else { 4268 return false; 4269 } 4270 4271 // Check protocol qualifiers. 4272 for (ObjCProtocolDecl *proto : objcPtr->quals()) { 4273 // Blocks conform to NSObject and NSCopying. 4274 if (proto->getIdentifier() != ctx.getNSObjectName() && 4275 proto->getIdentifier() != ctx.getNSCopyingName()) 4276 return false; 4277 } 4278 4279 return true; 4280 } 4281 4282 Qualifiers::ObjCLifetime Type::getObjCARCImplicitLifetime() const { 4283 if (isObjCARCImplicitlyUnretainedType()) 4284 return Qualifiers::OCL_ExplicitNone; 4285 return Qualifiers::OCL_Strong; 4286 } 4287 4288 bool Type::isObjCARCImplicitlyUnretainedType() const { 4289 assert(isObjCLifetimeType() && 4290 "cannot query implicit lifetime for non-inferrable type"); 4291 4292 const Type *canon = getCanonicalTypeInternal().getTypePtr(); 4293 4294 // Walk down to the base type. We don't care about qualifiers for this. 4295 while (const auto *array = dyn_cast<ArrayType>(canon)) 4296 canon = array->getElementType().getTypePtr(); 4297 4298 if (const auto *opt = dyn_cast<ObjCObjectPointerType>(canon)) { 4299 // Class and Class<Protocol> don't require retention. 4300 if (opt->getObjectType()->isObjCClass()) 4301 return true; 4302 } 4303 4304 return false; 4305 } 4306 4307 bool Type::isObjCNSObjectType() const { 4308 const Type *cur = this; 4309 while (true) { 4310 if (const auto *typedefType = dyn_cast<TypedefType>(cur)) 4311 return typedefType->getDecl()->hasAttr<ObjCNSObjectAttr>(); 4312 4313 // Single-step desugar until we run out of sugar. 4314 QualType next = cur->getLocallyUnqualifiedSingleStepDesugaredType(); 4315 if (next.getTypePtr() == cur) return false; 4316 cur = next.getTypePtr(); 4317 } 4318 } 4319 4320 bool Type::isObjCIndependentClassType() const { 4321 if (const auto *typedefType = dyn_cast<TypedefType>(this)) 4322 return typedefType->getDecl()->hasAttr<ObjCIndependentClassAttr>(); 4323 return false; 4324 } 4325 4326 bool Type::isObjCRetainableType() const { 4327 return isObjCObjectPointerType() || 4328 isBlockPointerType() || 4329 isObjCNSObjectType(); 4330 } 4331 4332 bool Type::isObjCIndirectLifetimeType() const { 4333 if (isObjCLifetimeType()) 4334 return true; 4335 if (const auto *OPT = getAs<PointerType>()) 4336 return OPT->getPointeeType()->isObjCIndirectLifetimeType(); 4337 if (const auto *Ref = getAs<ReferenceType>()) 4338 return Ref->getPointeeType()->isObjCIndirectLifetimeType(); 4339 if (const auto *MemPtr = getAs<MemberPointerType>()) 4340 return MemPtr->getPointeeType()->isObjCIndirectLifetimeType(); 4341 return false; 4342 } 4343 4344 /// Returns true if objects of this type have lifetime semantics under 4345 /// ARC. 4346 bool Type::isObjCLifetimeType() const { 4347 const Type *type = this; 4348 while (const ArrayType *array = type->getAsArrayTypeUnsafe()) 4349 type = array->getElementType().getTypePtr(); 4350 return type->isObjCRetainableType(); 4351 } 4352 4353 /// Determine whether the given type T is a "bridgable" Objective-C type, 4354 /// which is either an Objective-C object pointer type or an 4355 bool Type::isObjCARCBridgableType() const { 4356 return isObjCObjectPointerType() || isBlockPointerType(); 4357 } 4358 4359 /// Determine whether the given type T is a "bridgeable" C type. 4360 bool Type::isCARCBridgableType() const { 4361 const auto *Pointer = getAs<PointerType>(); 4362 if (!Pointer) 4363 return false; 4364 4365 QualType Pointee = Pointer->getPointeeType(); 4366 return Pointee->isVoidType() || Pointee->isRecordType(); 4367 } 4368 4369 /// Check if the specified type is the CUDA device builtin surface type. 4370 bool Type::isCUDADeviceBuiltinSurfaceType() const { 4371 if (const auto *RT = getAs<RecordType>()) 4372 return RT->getDecl()->hasAttr<CUDADeviceBuiltinSurfaceTypeAttr>(); 4373 return false; 4374 } 4375 4376 /// Check if the specified type is the CUDA device builtin texture type. 4377 bool Type::isCUDADeviceBuiltinTextureType() const { 4378 if (const auto *RT = getAs<RecordType>()) 4379 return RT->getDecl()->hasAttr<CUDADeviceBuiltinTextureTypeAttr>(); 4380 return false; 4381 } 4382 4383 bool Type::hasSizedVLAType() const { 4384 if (!isVariablyModifiedType()) return false; 4385 4386 if (const auto *ptr = getAs<PointerType>()) 4387 return ptr->getPointeeType()->hasSizedVLAType(); 4388 if (const auto *ref = getAs<ReferenceType>()) 4389 return ref->getPointeeType()->hasSizedVLAType(); 4390 if (const ArrayType *arr = getAsArrayTypeUnsafe()) { 4391 if (isa<VariableArrayType>(arr) && 4392 cast<VariableArrayType>(arr)->getSizeExpr()) 4393 return true; 4394 4395 return arr->getElementType()->hasSizedVLAType(); 4396 } 4397 4398 return false; 4399 } 4400 4401 QualType::DestructionKind QualType::isDestructedTypeImpl(QualType type) { 4402 switch (type.getObjCLifetime()) { 4403 case Qualifiers::OCL_None: 4404 case Qualifiers::OCL_ExplicitNone: 4405 case Qualifiers::OCL_Autoreleasing: 4406 break; 4407 4408 case Qualifiers::OCL_Strong: 4409 return DK_objc_strong_lifetime; 4410 case Qualifiers::OCL_Weak: 4411 return DK_objc_weak_lifetime; 4412 } 4413 4414 if (const auto *RT = 4415 type->getBaseElementTypeUnsafe()->getAs<RecordType>()) { 4416 const RecordDecl *RD = RT->getDecl(); 4417 if (const auto *CXXRD = dyn_cast<CXXRecordDecl>(RD)) { 4418 /// Check if this is a C++ object with a non-trivial destructor. 4419 if (CXXRD->hasDefinition() && !CXXRD->hasTrivialDestructor()) 4420 return DK_cxx_destructor; 4421 } else { 4422 /// Check if this is a C struct that is non-trivial to destroy or an array 4423 /// that contains such a struct. 4424 if (RD->isNonTrivialToPrimitiveDestroy()) 4425 return DK_nontrivial_c_struct; 4426 } 4427 } 4428 4429 return DK_none; 4430 } 4431 4432 CXXRecordDecl *MemberPointerType::getMostRecentCXXRecordDecl() const { 4433 return getClass()->getAsCXXRecordDecl()->getMostRecentNonInjectedDecl(); 4434 } 4435 4436 void clang::FixedPointValueToString(SmallVectorImpl<char> &Str, 4437 llvm::APSInt Val, unsigned Scale) { 4438 llvm::FixedPointSemantics FXSema(Val.getBitWidth(), Scale, Val.isSigned(), 4439 /*IsSaturated=*/false, 4440 /*HasUnsignedPadding=*/false); 4441 llvm::APFixedPoint(Val, FXSema).toString(Str); 4442 } 4443 4444 AutoType::AutoType(QualType DeducedAsType, AutoTypeKeyword Keyword, 4445 TypeDependence ExtraDependence, QualType Canon, 4446 ConceptDecl *TypeConstraintConcept, 4447 ArrayRef<TemplateArgument> TypeConstraintArgs) 4448 : DeducedType(Auto, DeducedAsType, ExtraDependence, Canon) { 4449 AutoTypeBits.Keyword = (unsigned)Keyword; 4450 AutoTypeBits.NumArgs = TypeConstraintArgs.size(); 4451 this->TypeConstraintConcept = TypeConstraintConcept; 4452 if (TypeConstraintConcept) { 4453 TemplateArgument *ArgBuffer = getArgBuffer(); 4454 for (const TemplateArgument &Arg : TypeConstraintArgs) { 4455 addDependence( 4456 toSyntacticDependence(toTypeDependence(Arg.getDependence()))); 4457 4458 new (ArgBuffer++) TemplateArgument(Arg); 4459 } 4460 } 4461 } 4462 4463 void AutoType::Profile(llvm::FoldingSetNodeID &ID, const ASTContext &Context, 4464 QualType Deduced, AutoTypeKeyword Keyword, 4465 bool IsDependent, ConceptDecl *CD, 4466 ArrayRef<TemplateArgument> Arguments) { 4467 ID.AddPointer(Deduced.getAsOpaquePtr()); 4468 ID.AddInteger((unsigned)Keyword); 4469 ID.AddBoolean(IsDependent); 4470 ID.AddPointer(CD); 4471 for (const TemplateArgument &Arg : Arguments) 4472 Arg.Profile(ID, Context); 4473 } 4474