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