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