1 //===--- SemaType.cpp - Semantic Analysis for Types -----------------------===//
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 semantic analysis.
10 //
11 //===----------------------------------------------------------------------===//
12 
13 #include "TypeLocBuilder.h"
14 #include "clang/AST/ASTConsumer.h"
15 #include "clang/AST/ASTContext.h"
16 #include "clang/AST/ASTMutationListener.h"
17 #include "clang/AST/ASTStructuralEquivalence.h"
18 #include "clang/AST/CXXInheritance.h"
19 #include "clang/AST/DeclObjC.h"
20 #include "clang/AST/DeclTemplate.h"
21 #include "clang/AST/Expr.h"
22 #include "clang/AST/TypeLoc.h"
23 #include "clang/AST/TypeLocVisitor.h"
24 #include "clang/Basic/PartialDiagnostic.h"
25 #include "clang/Basic/TargetInfo.h"
26 #include "clang/Lex/Preprocessor.h"
27 #include "clang/Sema/DeclSpec.h"
28 #include "clang/Sema/DelayedDiagnostic.h"
29 #include "clang/Sema/Lookup.h"
30 #include "clang/Sema/ParsedTemplate.h"
31 #include "clang/Sema/ScopeInfo.h"
32 #include "clang/Sema/SemaInternal.h"
33 #include "clang/Sema/Template.h"
34 #include "clang/Sema/TemplateInstCallback.h"
35 #include "llvm/ADT/SmallPtrSet.h"
36 #include "llvm/ADT/SmallString.h"
37 #include "llvm/ADT/StringSwitch.h"
38 #include "llvm/IR/DerivedTypes.h"
39 #include "llvm/Support/ErrorHandling.h"
40 
41 using namespace clang;
42 
43 enum TypeDiagSelector {
44   TDS_Function,
45   TDS_Pointer,
46   TDS_ObjCObjOrBlock
47 };
48 
49 /// isOmittedBlockReturnType - Return true if this declarator is missing a
50 /// return type because this is a omitted return type on a block literal.
51 static bool isOmittedBlockReturnType(const Declarator &D) {
52   if (D.getContext() != DeclaratorContext::BlockLiteralContext ||
53       D.getDeclSpec().hasTypeSpecifier())
54     return false;
55 
56   if (D.getNumTypeObjects() == 0)
57     return true;   // ^{ ... }
58 
59   if (D.getNumTypeObjects() == 1 &&
60       D.getTypeObject(0).Kind == DeclaratorChunk::Function)
61     return true;   // ^(int X, float Y) { ... }
62 
63   return false;
64 }
65 
66 /// diagnoseBadTypeAttribute - Diagnoses a type attribute which
67 /// doesn't apply to the given type.
68 static void diagnoseBadTypeAttribute(Sema &S, const ParsedAttr &attr,
69                                      QualType type) {
70   TypeDiagSelector WhichType;
71   bool useExpansionLoc = true;
72   switch (attr.getKind()) {
73   case ParsedAttr::AT_ObjCGC:
74     WhichType = TDS_Pointer;
75     break;
76   case ParsedAttr::AT_ObjCOwnership:
77     WhichType = TDS_ObjCObjOrBlock;
78     break;
79   default:
80     // Assume everything else was a function attribute.
81     WhichType = TDS_Function;
82     useExpansionLoc = false;
83     break;
84   }
85 
86   SourceLocation loc = attr.getLoc();
87   StringRef name = attr.getAttrName()->getName();
88 
89   // The GC attributes are usually written with macros;  special-case them.
90   IdentifierInfo *II = attr.isArgIdent(0) ? attr.getArgAsIdent(0)->Ident
91                                           : nullptr;
92   if (useExpansionLoc && loc.isMacroID() && II) {
93     if (II->isStr("strong")) {
94       if (S.findMacroSpelling(loc, "__strong")) name = "__strong";
95     } else if (II->isStr("weak")) {
96       if (S.findMacroSpelling(loc, "__weak")) name = "__weak";
97     }
98   }
99 
100   S.Diag(loc, diag::warn_type_attribute_wrong_type) << name << WhichType
101     << type;
102 }
103 
104 // objc_gc applies to Objective-C pointers or, otherwise, to the
105 // smallest available pointer type (i.e. 'void*' in 'void**').
106 #define OBJC_POINTER_TYPE_ATTRS_CASELIST                                       \
107   case ParsedAttr::AT_ObjCGC:                                                  \
108   case ParsedAttr::AT_ObjCOwnership
109 
110 // Calling convention attributes.
111 #define CALLING_CONV_ATTRS_CASELIST                                            \
112   case ParsedAttr::AT_CDecl:                                                   \
113   case ParsedAttr::AT_FastCall:                                                \
114   case ParsedAttr::AT_StdCall:                                                 \
115   case ParsedAttr::AT_ThisCall:                                                \
116   case ParsedAttr::AT_RegCall:                                                 \
117   case ParsedAttr::AT_Pascal:                                                  \
118   case ParsedAttr::AT_SwiftCall:                                               \
119   case ParsedAttr::AT_VectorCall:                                              \
120   case ParsedAttr::AT_AArch64VectorPcs:                                        \
121   case ParsedAttr::AT_MSABI:                                                   \
122   case ParsedAttr::AT_SysVABI:                                                 \
123   case ParsedAttr::AT_Pcs:                                                     \
124   case ParsedAttr::AT_IntelOclBicc:                                            \
125   case ParsedAttr::AT_PreserveMost:                                            \
126   case ParsedAttr::AT_PreserveAll
127 
128 // Function type attributes.
129 #define FUNCTION_TYPE_ATTRS_CASELIST                                           \
130   case ParsedAttr::AT_NSReturnsRetained:                                       \
131   case ParsedAttr::AT_NoReturn:                                                \
132   case ParsedAttr::AT_Regparm:                                                 \
133   case ParsedAttr::AT_CmseNSCall:                                              \
134   case ParsedAttr::AT_AnyX86NoCallerSavedRegisters:                            \
135   case ParsedAttr::AT_AnyX86NoCfCheck:                                         \
136     CALLING_CONV_ATTRS_CASELIST
137 
138 // Microsoft-specific type qualifiers.
139 #define MS_TYPE_ATTRS_CASELIST                                                 \
140   case ParsedAttr::AT_Ptr32:                                                   \
141   case ParsedAttr::AT_Ptr64:                                                   \
142   case ParsedAttr::AT_SPtr:                                                    \
143   case ParsedAttr::AT_UPtr
144 
145 // Nullability qualifiers.
146 #define NULLABILITY_TYPE_ATTRS_CASELIST                                        \
147   case ParsedAttr::AT_TypeNonNull:                                             \
148   case ParsedAttr::AT_TypeNullable:                                            \
149   case ParsedAttr::AT_TypeNullUnspecified
150 
151 namespace {
152   /// An object which stores processing state for the entire
153   /// GetTypeForDeclarator process.
154   class TypeProcessingState {
155     Sema &sema;
156 
157     /// The declarator being processed.
158     Declarator &declarator;
159 
160     /// The index of the declarator chunk we're currently processing.
161     /// May be the total number of valid chunks, indicating the
162     /// DeclSpec.
163     unsigned chunkIndex;
164 
165     /// Whether there are non-trivial modifications to the decl spec.
166     bool trivial;
167 
168     /// Whether we saved the attributes in the decl spec.
169     bool hasSavedAttrs;
170 
171     /// The original set of attributes on the DeclSpec.
172     SmallVector<ParsedAttr *, 2> savedAttrs;
173 
174     /// A list of attributes to diagnose the uselessness of when the
175     /// processing is complete.
176     SmallVector<ParsedAttr *, 2> ignoredTypeAttrs;
177 
178     /// Attributes corresponding to AttributedTypeLocs that we have not yet
179     /// populated.
180     // FIXME: The two-phase mechanism by which we construct Types and fill
181     // their TypeLocs makes it hard to correctly assign these. We keep the
182     // attributes in creation order as an attempt to make them line up
183     // properly.
184     using TypeAttrPair = std::pair<const AttributedType*, const Attr*>;
185     SmallVector<TypeAttrPair, 8> AttrsForTypes;
186     bool AttrsForTypesSorted = true;
187 
188     /// MacroQualifiedTypes mapping to macro expansion locations that will be
189     /// stored in a MacroQualifiedTypeLoc.
190     llvm::DenseMap<const MacroQualifiedType *, SourceLocation> LocsForMacros;
191 
192     /// Flag to indicate we parsed a noderef attribute. This is used for
193     /// validating that noderef was used on a pointer or array.
194     bool parsedNoDeref;
195 
196   public:
197     TypeProcessingState(Sema &sema, Declarator &declarator)
198         : sema(sema), declarator(declarator),
199           chunkIndex(declarator.getNumTypeObjects()), trivial(true),
200           hasSavedAttrs(false), parsedNoDeref(false) {}
201 
202     Sema &getSema() const {
203       return sema;
204     }
205 
206     Declarator &getDeclarator() const {
207       return declarator;
208     }
209 
210     bool isProcessingDeclSpec() const {
211       return chunkIndex == declarator.getNumTypeObjects();
212     }
213 
214     unsigned getCurrentChunkIndex() const {
215       return chunkIndex;
216     }
217 
218     void setCurrentChunkIndex(unsigned idx) {
219       assert(idx <= declarator.getNumTypeObjects());
220       chunkIndex = idx;
221     }
222 
223     ParsedAttributesView &getCurrentAttributes() const {
224       if (isProcessingDeclSpec())
225         return getMutableDeclSpec().getAttributes();
226       return declarator.getTypeObject(chunkIndex).getAttrs();
227     }
228 
229     /// Save the current set of attributes on the DeclSpec.
230     void saveDeclSpecAttrs() {
231       // Don't try to save them multiple times.
232       if (hasSavedAttrs) return;
233 
234       DeclSpec &spec = getMutableDeclSpec();
235       for (ParsedAttr &AL : spec.getAttributes())
236         savedAttrs.push_back(&AL);
237       trivial &= savedAttrs.empty();
238       hasSavedAttrs = true;
239     }
240 
241     /// Record that we had nowhere to put the given type attribute.
242     /// We will diagnose such attributes later.
243     void addIgnoredTypeAttr(ParsedAttr &attr) {
244       ignoredTypeAttrs.push_back(&attr);
245     }
246 
247     /// Diagnose all the ignored type attributes, given that the
248     /// declarator worked out to the given type.
249     void diagnoseIgnoredTypeAttrs(QualType type) const {
250       for (auto *Attr : ignoredTypeAttrs)
251         diagnoseBadTypeAttribute(getSema(), *Attr, type);
252     }
253 
254     /// Get an attributed type for the given attribute, and remember the Attr
255     /// object so that we can attach it to the AttributedTypeLoc.
256     QualType getAttributedType(Attr *A, QualType ModifiedType,
257                                QualType EquivType) {
258       QualType T =
259           sema.Context.getAttributedType(A->getKind(), ModifiedType, EquivType);
260       AttrsForTypes.push_back({cast<AttributedType>(T.getTypePtr()), A});
261       AttrsForTypesSorted = false;
262       return T;
263     }
264 
265     /// Completely replace the \c auto in \p TypeWithAuto by
266     /// \p Replacement. Also replace \p TypeWithAuto in \c TypeAttrPair if
267     /// necessary.
268     QualType ReplaceAutoType(QualType TypeWithAuto, QualType Replacement) {
269       QualType T = sema.ReplaceAutoType(TypeWithAuto, Replacement);
270       if (auto *AttrTy = TypeWithAuto->getAs<AttributedType>()) {
271         // Attributed type still should be an attributed type after replacement.
272         auto *NewAttrTy = cast<AttributedType>(T.getTypePtr());
273         for (TypeAttrPair &A : AttrsForTypes) {
274           if (A.first == AttrTy)
275             A.first = NewAttrTy;
276         }
277         AttrsForTypesSorted = false;
278       }
279       return T;
280     }
281 
282     /// Extract and remove the Attr* for a given attributed type.
283     const Attr *takeAttrForAttributedType(const AttributedType *AT) {
284       if (!AttrsForTypesSorted) {
285         llvm::stable_sort(AttrsForTypes, llvm::less_first());
286         AttrsForTypesSorted = true;
287       }
288 
289       // FIXME: This is quadratic if we have lots of reuses of the same
290       // attributed type.
291       for (auto It = std::partition_point(
292                AttrsForTypes.begin(), AttrsForTypes.end(),
293                [=](const TypeAttrPair &A) { return A.first < AT; });
294            It != AttrsForTypes.end() && It->first == AT; ++It) {
295         if (It->second) {
296           const Attr *Result = It->second;
297           It->second = nullptr;
298           return Result;
299         }
300       }
301 
302       llvm_unreachable("no Attr* for AttributedType*");
303     }
304 
305     SourceLocation
306     getExpansionLocForMacroQualifiedType(const MacroQualifiedType *MQT) const {
307       auto FoundLoc = LocsForMacros.find(MQT);
308       assert(FoundLoc != LocsForMacros.end() &&
309              "Unable to find macro expansion location for MacroQualifedType");
310       return FoundLoc->second;
311     }
312 
313     void setExpansionLocForMacroQualifiedType(const MacroQualifiedType *MQT,
314                                               SourceLocation Loc) {
315       LocsForMacros[MQT] = Loc;
316     }
317 
318     void setParsedNoDeref(bool parsed) { parsedNoDeref = parsed; }
319 
320     bool didParseNoDeref() const { return parsedNoDeref; }
321 
322     ~TypeProcessingState() {
323       if (trivial) return;
324 
325       restoreDeclSpecAttrs();
326     }
327 
328   private:
329     DeclSpec &getMutableDeclSpec() const {
330       return const_cast<DeclSpec&>(declarator.getDeclSpec());
331     }
332 
333     void restoreDeclSpecAttrs() {
334       assert(hasSavedAttrs);
335 
336       getMutableDeclSpec().getAttributes().clearListOnly();
337       for (ParsedAttr *AL : savedAttrs)
338         getMutableDeclSpec().getAttributes().addAtEnd(AL);
339     }
340   };
341 } // end anonymous namespace
342 
343 static void moveAttrFromListToList(ParsedAttr &attr,
344                                    ParsedAttributesView &fromList,
345                                    ParsedAttributesView &toList) {
346   fromList.remove(&attr);
347   toList.addAtEnd(&attr);
348 }
349 
350 /// The location of a type attribute.
351 enum TypeAttrLocation {
352   /// The attribute is in the decl-specifier-seq.
353   TAL_DeclSpec,
354   /// The attribute is part of a DeclaratorChunk.
355   TAL_DeclChunk,
356   /// The attribute is immediately after the declaration's name.
357   TAL_DeclName
358 };
359 
360 static void processTypeAttrs(TypeProcessingState &state, QualType &type,
361                              TypeAttrLocation TAL, ParsedAttributesView &attrs);
362 
363 static bool handleFunctionTypeAttr(TypeProcessingState &state, ParsedAttr &attr,
364                                    QualType &type);
365 
366 static bool handleMSPointerTypeQualifierAttr(TypeProcessingState &state,
367                                              ParsedAttr &attr, QualType &type);
368 
369 static bool handleObjCGCTypeAttr(TypeProcessingState &state, ParsedAttr &attr,
370                                  QualType &type);
371 
372 static bool handleObjCOwnershipTypeAttr(TypeProcessingState &state,
373                                         ParsedAttr &attr, QualType &type);
374 
375 static bool handleObjCPointerTypeAttr(TypeProcessingState &state,
376                                       ParsedAttr &attr, QualType &type) {
377   if (attr.getKind() == ParsedAttr::AT_ObjCGC)
378     return handleObjCGCTypeAttr(state, attr, type);
379   assert(attr.getKind() == ParsedAttr::AT_ObjCOwnership);
380   return handleObjCOwnershipTypeAttr(state, attr, type);
381 }
382 
383 /// Given the index of a declarator chunk, check whether that chunk
384 /// directly specifies the return type of a function and, if so, find
385 /// an appropriate place for it.
386 ///
387 /// \param i - a notional index which the search will start
388 ///   immediately inside
389 ///
390 /// \param onlyBlockPointers Whether we should only look into block
391 /// pointer types (vs. all pointer types).
392 static DeclaratorChunk *maybeMovePastReturnType(Declarator &declarator,
393                                                 unsigned i,
394                                                 bool onlyBlockPointers) {
395   assert(i <= declarator.getNumTypeObjects());
396 
397   DeclaratorChunk *result = nullptr;
398 
399   // First, look inwards past parens for a function declarator.
400   for (; i != 0; --i) {
401     DeclaratorChunk &fnChunk = declarator.getTypeObject(i-1);
402     switch (fnChunk.Kind) {
403     case DeclaratorChunk::Paren:
404       continue;
405 
406     // If we find anything except a function, bail out.
407     case DeclaratorChunk::Pointer:
408     case DeclaratorChunk::BlockPointer:
409     case DeclaratorChunk::Array:
410     case DeclaratorChunk::Reference:
411     case DeclaratorChunk::MemberPointer:
412     case DeclaratorChunk::Pipe:
413       return result;
414 
415     // If we do find a function declarator, scan inwards from that,
416     // looking for a (block-)pointer declarator.
417     case DeclaratorChunk::Function:
418       for (--i; i != 0; --i) {
419         DeclaratorChunk &ptrChunk = declarator.getTypeObject(i-1);
420         switch (ptrChunk.Kind) {
421         case DeclaratorChunk::Paren:
422         case DeclaratorChunk::Array:
423         case DeclaratorChunk::Function:
424         case DeclaratorChunk::Reference:
425         case DeclaratorChunk::Pipe:
426           continue;
427 
428         case DeclaratorChunk::MemberPointer:
429         case DeclaratorChunk::Pointer:
430           if (onlyBlockPointers)
431             continue;
432 
433           LLVM_FALLTHROUGH;
434 
435         case DeclaratorChunk::BlockPointer:
436           result = &ptrChunk;
437           goto continue_outer;
438         }
439         llvm_unreachable("bad declarator chunk kind");
440       }
441 
442       // If we run out of declarators doing that, we're done.
443       return result;
444     }
445     llvm_unreachable("bad declarator chunk kind");
446 
447     // Okay, reconsider from our new point.
448   continue_outer: ;
449   }
450 
451   // Ran out of chunks, bail out.
452   return result;
453 }
454 
455 /// Given that an objc_gc attribute was written somewhere on a
456 /// declaration *other* than on the declarator itself (for which, use
457 /// distributeObjCPointerTypeAttrFromDeclarator), and given that it
458 /// didn't apply in whatever position it was written in, try to move
459 /// it to a more appropriate position.
460 static void distributeObjCPointerTypeAttr(TypeProcessingState &state,
461                                           ParsedAttr &attr, QualType type) {
462   Declarator &declarator = state.getDeclarator();
463 
464   // Move it to the outermost normal or block pointer declarator.
465   for (unsigned i = state.getCurrentChunkIndex(); i != 0; --i) {
466     DeclaratorChunk &chunk = declarator.getTypeObject(i-1);
467     switch (chunk.Kind) {
468     case DeclaratorChunk::Pointer:
469     case DeclaratorChunk::BlockPointer: {
470       // But don't move an ARC ownership attribute to the return type
471       // of a block.
472       DeclaratorChunk *destChunk = nullptr;
473       if (state.isProcessingDeclSpec() &&
474           attr.getKind() == ParsedAttr::AT_ObjCOwnership)
475         destChunk = maybeMovePastReturnType(declarator, i - 1,
476                                             /*onlyBlockPointers=*/true);
477       if (!destChunk) destChunk = &chunk;
478 
479       moveAttrFromListToList(attr, state.getCurrentAttributes(),
480                              destChunk->getAttrs());
481       return;
482     }
483 
484     case DeclaratorChunk::Paren:
485     case DeclaratorChunk::Array:
486       continue;
487 
488     // We may be starting at the return type of a block.
489     case DeclaratorChunk::Function:
490       if (state.isProcessingDeclSpec() &&
491           attr.getKind() == ParsedAttr::AT_ObjCOwnership) {
492         if (DeclaratorChunk *dest = maybeMovePastReturnType(
493                                       declarator, i,
494                                       /*onlyBlockPointers=*/true)) {
495           moveAttrFromListToList(attr, state.getCurrentAttributes(),
496                                  dest->getAttrs());
497           return;
498         }
499       }
500       goto error;
501 
502     // Don't walk through these.
503     case DeclaratorChunk::Reference:
504     case DeclaratorChunk::MemberPointer:
505     case DeclaratorChunk::Pipe:
506       goto error;
507     }
508   }
509  error:
510 
511   diagnoseBadTypeAttribute(state.getSema(), attr, type);
512 }
513 
514 /// Distribute an objc_gc type attribute that was written on the
515 /// declarator.
516 static void distributeObjCPointerTypeAttrFromDeclarator(
517     TypeProcessingState &state, ParsedAttr &attr, QualType &declSpecType) {
518   Declarator &declarator = state.getDeclarator();
519 
520   // objc_gc goes on the innermost pointer to something that's not a
521   // pointer.
522   unsigned innermost = -1U;
523   bool considerDeclSpec = true;
524   for (unsigned i = 0, e = declarator.getNumTypeObjects(); i != e; ++i) {
525     DeclaratorChunk &chunk = declarator.getTypeObject(i);
526     switch (chunk.Kind) {
527     case DeclaratorChunk::Pointer:
528     case DeclaratorChunk::BlockPointer:
529       innermost = i;
530       continue;
531 
532     case DeclaratorChunk::Reference:
533     case DeclaratorChunk::MemberPointer:
534     case DeclaratorChunk::Paren:
535     case DeclaratorChunk::Array:
536     case DeclaratorChunk::Pipe:
537       continue;
538 
539     case DeclaratorChunk::Function:
540       considerDeclSpec = false;
541       goto done;
542     }
543   }
544  done:
545 
546   // That might actually be the decl spec if we weren't blocked by
547   // anything in the declarator.
548   if (considerDeclSpec) {
549     if (handleObjCPointerTypeAttr(state, attr, declSpecType)) {
550       // Splice the attribute into the decl spec.  Prevents the
551       // attribute from being applied multiple times and gives
552       // the source-location-filler something to work with.
553       state.saveDeclSpecAttrs();
554       declarator.getMutableDeclSpec().getAttributes().takeOneFrom(
555           declarator.getAttributes(), &attr);
556       return;
557     }
558   }
559 
560   // Otherwise, if we found an appropriate chunk, splice the attribute
561   // into it.
562   if (innermost != -1U) {
563     moveAttrFromListToList(attr, declarator.getAttributes(),
564                            declarator.getTypeObject(innermost).getAttrs());
565     return;
566   }
567 
568   // Otherwise, diagnose when we're done building the type.
569   declarator.getAttributes().remove(&attr);
570   state.addIgnoredTypeAttr(attr);
571 }
572 
573 /// A function type attribute was written somewhere in a declaration
574 /// *other* than on the declarator itself or in the decl spec.  Given
575 /// that it didn't apply in whatever position it was written in, try
576 /// to move it to a more appropriate position.
577 static void distributeFunctionTypeAttr(TypeProcessingState &state,
578                                        ParsedAttr &attr, QualType type) {
579   Declarator &declarator = state.getDeclarator();
580 
581   // Try to push the attribute from the return type of a function to
582   // the function itself.
583   for (unsigned i = state.getCurrentChunkIndex(); i != 0; --i) {
584     DeclaratorChunk &chunk = declarator.getTypeObject(i-1);
585     switch (chunk.Kind) {
586     case DeclaratorChunk::Function:
587       moveAttrFromListToList(attr, state.getCurrentAttributes(),
588                              chunk.getAttrs());
589       return;
590 
591     case DeclaratorChunk::Paren:
592     case DeclaratorChunk::Pointer:
593     case DeclaratorChunk::BlockPointer:
594     case DeclaratorChunk::Array:
595     case DeclaratorChunk::Reference:
596     case DeclaratorChunk::MemberPointer:
597     case DeclaratorChunk::Pipe:
598       continue;
599     }
600   }
601 
602   diagnoseBadTypeAttribute(state.getSema(), attr, type);
603 }
604 
605 /// Try to distribute a function type attribute to the innermost
606 /// function chunk or type.  Returns true if the attribute was
607 /// distributed, false if no location was found.
608 static bool distributeFunctionTypeAttrToInnermost(
609     TypeProcessingState &state, ParsedAttr &attr,
610     ParsedAttributesView &attrList, QualType &declSpecType) {
611   Declarator &declarator = state.getDeclarator();
612 
613   // Put it on the innermost function chunk, if there is one.
614   for (unsigned i = 0, e = declarator.getNumTypeObjects(); i != e; ++i) {
615     DeclaratorChunk &chunk = declarator.getTypeObject(i);
616     if (chunk.Kind != DeclaratorChunk::Function) continue;
617 
618     moveAttrFromListToList(attr, attrList, chunk.getAttrs());
619     return true;
620   }
621 
622   return handleFunctionTypeAttr(state, attr, declSpecType);
623 }
624 
625 /// A function type attribute was written in the decl spec.  Try to
626 /// apply it somewhere.
627 static void distributeFunctionTypeAttrFromDeclSpec(TypeProcessingState &state,
628                                                    ParsedAttr &attr,
629                                                    QualType &declSpecType) {
630   state.saveDeclSpecAttrs();
631 
632   // C++11 attributes before the decl specifiers actually appertain to
633   // the declarators. Move them straight there. We don't support the
634   // 'put them wherever you like' semantics we allow for GNU attributes.
635   if (attr.isCXX11Attribute()) {
636     moveAttrFromListToList(attr, state.getCurrentAttributes(),
637                            state.getDeclarator().getAttributes());
638     return;
639   }
640 
641   // Try to distribute to the innermost.
642   if (distributeFunctionTypeAttrToInnermost(
643           state, attr, state.getCurrentAttributes(), declSpecType))
644     return;
645 
646   // If that failed, diagnose the bad attribute when the declarator is
647   // fully built.
648   state.addIgnoredTypeAttr(attr);
649 }
650 
651 /// A function type attribute was written on the declarator.  Try to
652 /// apply it somewhere.
653 static void distributeFunctionTypeAttrFromDeclarator(TypeProcessingState &state,
654                                                      ParsedAttr &attr,
655                                                      QualType &declSpecType) {
656   Declarator &declarator = state.getDeclarator();
657 
658   // Try to distribute to the innermost.
659   if (distributeFunctionTypeAttrToInnermost(
660           state, attr, declarator.getAttributes(), declSpecType))
661     return;
662 
663   // If that failed, diagnose the bad attribute when the declarator is
664   // fully built.
665   declarator.getAttributes().remove(&attr);
666   state.addIgnoredTypeAttr(attr);
667 }
668 
669 /// Given that there are attributes written on the declarator
670 /// itself, try to distribute any type attributes to the appropriate
671 /// declarator chunk.
672 ///
673 /// These are attributes like the following:
674 ///   int f ATTR;
675 ///   int (f ATTR)();
676 /// but not necessarily this:
677 ///   int f() ATTR;
678 static void distributeTypeAttrsFromDeclarator(TypeProcessingState &state,
679                                               QualType &declSpecType) {
680   // Collect all the type attributes from the declarator itself.
681   assert(!state.getDeclarator().getAttributes().empty() &&
682          "declarator has no attrs!");
683   // The called functions in this loop actually remove things from the current
684   // list, so iterating over the existing list isn't possible.  Instead, make a
685   // non-owning copy and iterate over that.
686   ParsedAttributesView AttrsCopy{state.getDeclarator().getAttributes()};
687   for (ParsedAttr &attr : AttrsCopy) {
688     // Do not distribute C++11 attributes. They have strict rules for what
689     // they appertain to.
690     if (attr.isCXX11Attribute())
691       continue;
692 
693     switch (attr.getKind()) {
694     OBJC_POINTER_TYPE_ATTRS_CASELIST:
695       distributeObjCPointerTypeAttrFromDeclarator(state, attr, declSpecType);
696       break;
697 
698     FUNCTION_TYPE_ATTRS_CASELIST:
699       distributeFunctionTypeAttrFromDeclarator(state, attr, declSpecType);
700       break;
701 
702     MS_TYPE_ATTRS_CASELIST:
703       // Microsoft type attributes cannot go after the declarator-id.
704       continue;
705 
706     NULLABILITY_TYPE_ATTRS_CASELIST:
707       // Nullability specifiers cannot go after the declarator-id.
708 
709     // Objective-C __kindof does not get distributed.
710     case ParsedAttr::AT_ObjCKindOf:
711       continue;
712 
713     default:
714       break;
715     }
716   }
717 }
718 
719 /// Add a synthetic '()' to a block-literal declarator if it is
720 /// required, given the return type.
721 static void maybeSynthesizeBlockSignature(TypeProcessingState &state,
722                                           QualType declSpecType) {
723   Declarator &declarator = state.getDeclarator();
724 
725   // First, check whether the declarator would produce a function,
726   // i.e. whether the innermost semantic chunk is a function.
727   if (declarator.isFunctionDeclarator()) {
728     // If so, make that declarator a prototyped declarator.
729     declarator.getFunctionTypeInfo().hasPrototype = true;
730     return;
731   }
732 
733   // If there are any type objects, the type as written won't name a
734   // function, regardless of the decl spec type.  This is because a
735   // block signature declarator is always an abstract-declarator, and
736   // abstract-declarators can't just be parentheses chunks.  Therefore
737   // we need to build a function chunk unless there are no type
738   // objects and the decl spec type is a function.
739   if (!declarator.getNumTypeObjects() && declSpecType->isFunctionType())
740     return;
741 
742   // Note that there *are* cases with invalid declarators where
743   // declarators consist solely of parentheses.  In general, these
744   // occur only in failed efforts to make function declarators, so
745   // faking up the function chunk is still the right thing to do.
746 
747   // Otherwise, we need to fake up a function declarator.
748   SourceLocation loc = declarator.getBeginLoc();
749 
750   // ...and *prepend* it to the declarator.
751   SourceLocation NoLoc;
752   declarator.AddInnermostTypeInfo(DeclaratorChunk::getFunction(
753       /*HasProto=*/true,
754       /*IsAmbiguous=*/false,
755       /*LParenLoc=*/NoLoc,
756       /*ArgInfo=*/nullptr,
757       /*NumParams=*/0,
758       /*EllipsisLoc=*/NoLoc,
759       /*RParenLoc=*/NoLoc,
760       /*RefQualifierIsLvalueRef=*/true,
761       /*RefQualifierLoc=*/NoLoc,
762       /*MutableLoc=*/NoLoc, EST_None,
763       /*ESpecRange=*/SourceRange(),
764       /*Exceptions=*/nullptr,
765       /*ExceptionRanges=*/nullptr,
766       /*NumExceptions=*/0,
767       /*NoexceptExpr=*/nullptr,
768       /*ExceptionSpecTokens=*/nullptr,
769       /*DeclsInPrototype=*/None, loc, loc, declarator));
770 
771   // For consistency, make sure the state still has us as processing
772   // the decl spec.
773   assert(state.getCurrentChunkIndex() == declarator.getNumTypeObjects() - 1);
774   state.setCurrentChunkIndex(declarator.getNumTypeObjects());
775 }
776 
777 static void diagnoseAndRemoveTypeQualifiers(Sema &S, const DeclSpec &DS,
778                                             unsigned &TypeQuals,
779                                             QualType TypeSoFar,
780                                             unsigned RemoveTQs,
781                                             unsigned DiagID) {
782   // If this occurs outside a template instantiation, warn the user about
783   // it; they probably didn't mean to specify a redundant qualifier.
784   typedef std::pair<DeclSpec::TQ, SourceLocation> QualLoc;
785   for (QualLoc Qual : {QualLoc(DeclSpec::TQ_const, DS.getConstSpecLoc()),
786                        QualLoc(DeclSpec::TQ_restrict, DS.getRestrictSpecLoc()),
787                        QualLoc(DeclSpec::TQ_volatile, DS.getVolatileSpecLoc()),
788                        QualLoc(DeclSpec::TQ_atomic, DS.getAtomicSpecLoc())}) {
789     if (!(RemoveTQs & Qual.first))
790       continue;
791 
792     if (!S.inTemplateInstantiation()) {
793       if (TypeQuals & Qual.first)
794         S.Diag(Qual.second, DiagID)
795           << DeclSpec::getSpecifierName(Qual.first) << TypeSoFar
796           << FixItHint::CreateRemoval(Qual.second);
797     }
798 
799     TypeQuals &= ~Qual.first;
800   }
801 }
802 
803 /// Return true if this is omitted block return type. Also check type
804 /// attributes and type qualifiers when returning true.
805 static bool checkOmittedBlockReturnType(Sema &S, Declarator &declarator,
806                                         QualType Result) {
807   if (!isOmittedBlockReturnType(declarator))
808     return false;
809 
810   // Warn if we see type attributes for omitted return type on a block literal.
811   SmallVector<ParsedAttr *, 2> ToBeRemoved;
812   for (ParsedAttr &AL : declarator.getMutableDeclSpec().getAttributes()) {
813     if (AL.isInvalid() || !AL.isTypeAttr())
814       continue;
815     S.Diag(AL.getLoc(),
816            diag::warn_block_literal_attributes_on_omitted_return_type)
817         << AL;
818     ToBeRemoved.push_back(&AL);
819   }
820   // Remove bad attributes from the list.
821   for (ParsedAttr *AL : ToBeRemoved)
822     declarator.getMutableDeclSpec().getAttributes().remove(AL);
823 
824   // Warn if we see type qualifiers for omitted return type on a block literal.
825   const DeclSpec &DS = declarator.getDeclSpec();
826   unsigned TypeQuals = DS.getTypeQualifiers();
827   diagnoseAndRemoveTypeQualifiers(S, DS, TypeQuals, Result, (unsigned)-1,
828       diag::warn_block_literal_qualifiers_on_omitted_return_type);
829   declarator.getMutableDeclSpec().ClearTypeQualifiers();
830 
831   return true;
832 }
833 
834 /// Apply Objective-C type arguments to the given type.
835 static QualType applyObjCTypeArgs(Sema &S, SourceLocation loc, QualType type,
836                                   ArrayRef<TypeSourceInfo *> typeArgs,
837                                   SourceRange typeArgsRange,
838                                   bool failOnError = false) {
839   // We can only apply type arguments to an Objective-C class type.
840   const auto *objcObjectType = type->getAs<ObjCObjectType>();
841   if (!objcObjectType || !objcObjectType->getInterface()) {
842     S.Diag(loc, diag::err_objc_type_args_non_class)
843       << type
844       << typeArgsRange;
845 
846     if (failOnError)
847       return QualType();
848     return type;
849   }
850 
851   // The class type must be parameterized.
852   ObjCInterfaceDecl *objcClass = objcObjectType->getInterface();
853   ObjCTypeParamList *typeParams = objcClass->getTypeParamList();
854   if (!typeParams) {
855     S.Diag(loc, diag::err_objc_type_args_non_parameterized_class)
856       << objcClass->getDeclName()
857       << FixItHint::CreateRemoval(typeArgsRange);
858 
859     if (failOnError)
860       return QualType();
861 
862     return type;
863   }
864 
865   // The type must not already be specialized.
866   if (objcObjectType->isSpecialized()) {
867     S.Diag(loc, diag::err_objc_type_args_specialized_class)
868       << type
869       << FixItHint::CreateRemoval(typeArgsRange);
870 
871     if (failOnError)
872       return QualType();
873 
874     return type;
875   }
876 
877   // Check the type arguments.
878   SmallVector<QualType, 4> finalTypeArgs;
879   unsigned numTypeParams = typeParams->size();
880   bool anyPackExpansions = false;
881   for (unsigned i = 0, n = typeArgs.size(); i != n; ++i) {
882     TypeSourceInfo *typeArgInfo = typeArgs[i];
883     QualType typeArg = typeArgInfo->getType();
884 
885     // Type arguments cannot have explicit qualifiers or nullability.
886     // We ignore indirect sources of these, e.g. behind typedefs or
887     // template arguments.
888     if (TypeLoc qual = typeArgInfo->getTypeLoc().findExplicitQualifierLoc()) {
889       bool diagnosed = false;
890       SourceRange rangeToRemove;
891       if (auto attr = qual.getAs<AttributedTypeLoc>()) {
892         rangeToRemove = attr.getLocalSourceRange();
893         if (attr.getTypePtr()->getImmediateNullability()) {
894           typeArg = attr.getTypePtr()->getModifiedType();
895           S.Diag(attr.getBeginLoc(),
896                  diag::err_objc_type_arg_explicit_nullability)
897               << typeArg << FixItHint::CreateRemoval(rangeToRemove);
898           diagnosed = true;
899         }
900       }
901 
902       if (!diagnosed) {
903         S.Diag(qual.getBeginLoc(), diag::err_objc_type_arg_qualified)
904             << typeArg << typeArg.getQualifiers().getAsString()
905             << FixItHint::CreateRemoval(rangeToRemove);
906       }
907     }
908 
909     // Remove qualifiers even if they're non-local.
910     typeArg = typeArg.getUnqualifiedType();
911 
912     finalTypeArgs.push_back(typeArg);
913 
914     if (typeArg->getAs<PackExpansionType>())
915       anyPackExpansions = true;
916 
917     // Find the corresponding type parameter, if there is one.
918     ObjCTypeParamDecl *typeParam = nullptr;
919     if (!anyPackExpansions) {
920       if (i < numTypeParams) {
921         typeParam = typeParams->begin()[i];
922       } else {
923         // Too many arguments.
924         S.Diag(loc, diag::err_objc_type_args_wrong_arity)
925           << false
926           << objcClass->getDeclName()
927           << (unsigned)typeArgs.size()
928           << numTypeParams;
929         S.Diag(objcClass->getLocation(), diag::note_previous_decl)
930           << objcClass;
931 
932         if (failOnError)
933           return QualType();
934 
935         return type;
936       }
937     }
938 
939     // Objective-C object pointer types must be substitutable for the bounds.
940     if (const auto *typeArgObjC = typeArg->getAs<ObjCObjectPointerType>()) {
941       // If we don't have a type parameter to match against, assume
942       // everything is fine. There was a prior pack expansion that
943       // means we won't be able to match anything.
944       if (!typeParam) {
945         assert(anyPackExpansions && "Too many arguments?");
946         continue;
947       }
948 
949       // Retrieve the bound.
950       QualType bound = typeParam->getUnderlyingType();
951       const auto *boundObjC = bound->getAs<ObjCObjectPointerType>();
952 
953       // Determine whether the type argument is substitutable for the bound.
954       if (typeArgObjC->isObjCIdType()) {
955         // When the type argument is 'id', the only acceptable type
956         // parameter bound is 'id'.
957         if (boundObjC->isObjCIdType())
958           continue;
959       } else if (S.Context.canAssignObjCInterfaces(boundObjC, typeArgObjC)) {
960         // Otherwise, we follow the assignability rules.
961         continue;
962       }
963 
964       // Diagnose the mismatch.
965       S.Diag(typeArgInfo->getTypeLoc().getBeginLoc(),
966              diag::err_objc_type_arg_does_not_match_bound)
967           << typeArg << bound << typeParam->getDeclName();
968       S.Diag(typeParam->getLocation(), diag::note_objc_type_param_here)
969         << typeParam->getDeclName();
970 
971       if (failOnError)
972         return QualType();
973 
974       return type;
975     }
976 
977     // Block pointer types are permitted for unqualified 'id' bounds.
978     if (typeArg->isBlockPointerType()) {
979       // If we don't have a type parameter to match against, assume
980       // everything is fine. There was a prior pack expansion that
981       // means we won't be able to match anything.
982       if (!typeParam) {
983         assert(anyPackExpansions && "Too many arguments?");
984         continue;
985       }
986 
987       // Retrieve the bound.
988       QualType bound = typeParam->getUnderlyingType();
989       if (bound->isBlockCompatibleObjCPointerType(S.Context))
990         continue;
991 
992       // Diagnose the mismatch.
993       S.Diag(typeArgInfo->getTypeLoc().getBeginLoc(),
994              diag::err_objc_type_arg_does_not_match_bound)
995           << typeArg << bound << typeParam->getDeclName();
996       S.Diag(typeParam->getLocation(), diag::note_objc_type_param_here)
997         << typeParam->getDeclName();
998 
999       if (failOnError)
1000         return QualType();
1001 
1002       return type;
1003     }
1004 
1005     // Dependent types will be checked at instantiation time.
1006     if (typeArg->isDependentType()) {
1007       continue;
1008     }
1009 
1010     // Diagnose non-id-compatible type arguments.
1011     S.Diag(typeArgInfo->getTypeLoc().getBeginLoc(),
1012            diag::err_objc_type_arg_not_id_compatible)
1013         << typeArg << typeArgInfo->getTypeLoc().getSourceRange();
1014 
1015     if (failOnError)
1016       return QualType();
1017 
1018     return type;
1019   }
1020 
1021   // Make sure we didn't have the wrong number of arguments.
1022   if (!anyPackExpansions && finalTypeArgs.size() != numTypeParams) {
1023     S.Diag(loc, diag::err_objc_type_args_wrong_arity)
1024       << (typeArgs.size() < typeParams->size())
1025       << objcClass->getDeclName()
1026       << (unsigned)finalTypeArgs.size()
1027       << (unsigned)numTypeParams;
1028     S.Diag(objcClass->getLocation(), diag::note_previous_decl)
1029       << objcClass;
1030 
1031     if (failOnError)
1032       return QualType();
1033 
1034     return type;
1035   }
1036 
1037   // Success. Form the specialized type.
1038   return S.Context.getObjCObjectType(type, finalTypeArgs, { }, false);
1039 }
1040 
1041 QualType Sema::BuildObjCTypeParamType(const ObjCTypeParamDecl *Decl,
1042                                       SourceLocation ProtocolLAngleLoc,
1043                                       ArrayRef<ObjCProtocolDecl *> Protocols,
1044                                       ArrayRef<SourceLocation> ProtocolLocs,
1045                                       SourceLocation ProtocolRAngleLoc,
1046                                       bool FailOnError) {
1047   QualType Result = QualType(Decl->getTypeForDecl(), 0);
1048   if (!Protocols.empty()) {
1049     bool HasError;
1050     Result = Context.applyObjCProtocolQualifiers(Result, Protocols,
1051                                                  HasError);
1052     if (HasError) {
1053       Diag(SourceLocation(), diag::err_invalid_protocol_qualifiers)
1054         << SourceRange(ProtocolLAngleLoc, ProtocolRAngleLoc);
1055       if (FailOnError) Result = QualType();
1056     }
1057     if (FailOnError && Result.isNull())
1058       return QualType();
1059   }
1060 
1061   return Result;
1062 }
1063 
1064 QualType Sema::BuildObjCObjectType(QualType BaseType,
1065                                    SourceLocation Loc,
1066                                    SourceLocation TypeArgsLAngleLoc,
1067                                    ArrayRef<TypeSourceInfo *> TypeArgs,
1068                                    SourceLocation TypeArgsRAngleLoc,
1069                                    SourceLocation ProtocolLAngleLoc,
1070                                    ArrayRef<ObjCProtocolDecl *> Protocols,
1071                                    ArrayRef<SourceLocation> ProtocolLocs,
1072                                    SourceLocation ProtocolRAngleLoc,
1073                                    bool FailOnError) {
1074   QualType Result = BaseType;
1075   if (!TypeArgs.empty()) {
1076     Result = applyObjCTypeArgs(*this, Loc, Result, TypeArgs,
1077                                SourceRange(TypeArgsLAngleLoc,
1078                                            TypeArgsRAngleLoc),
1079                                FailOnError);
1080     if (FailOnError && Result.isNull())
1081       return QualType();
1082   }
1083 
1084   if (!Protocols.empty()) {
1085     bool HasError;
1086     Result = Context.applyObjCProtocolQualifiers(Result, Protocols,
1087                                                  HasError);
1088     if (HasError) {
1089       Diag(Loc, diag::err_invalid_protocol_qualifiers)
1090         << SourceRange(ProtocolLAngleLoc, ProtocolRAngleLoc);
1091       if (FailOnError) Result = QualType();
1092     }
1093     if (FailOnError && Result.isNull())
1094       return QualType();
1095   }
1096 
1097   return Result;
1098 }
1099 
1100 TypeResult Sema::actOnObjCProtocolQualifierType(
1101              SourceLocation lAngleLoc,
1102              ArrayRef<Decl *> protocols,
1103              ArrayRef<SourceLocation> protocolLocs,
1104              SourceLocation rAngleLoc) {
1105   // Form id<protocol-list>.
1106   QualType Result = Context.getObjCObjectType(
1107                       Context.ObjCBuiltinIdTy, { },
1108                       llvm::makeArrayRef(
1109                         (ObjCProtocolDecl * const *)protocols.data(),
1110                         protocols.size()),
1111                       false);
1112   Result = Context.getObjCObjectPointerType(Result);
1113 
1114   TypeSourceInfo *ResultTInfo = Context.CreateTypeSourceInfo(Result);
1115   TypeLoc ResultTL = ResultTInfo->getTypeLoc();
1116 
1117   auto ObjCObjectPointerTL = ResultTL.castAs<ObjCObjectPointerTypeLoc>();
1118   ObjCObjectPointerTL.setStarLoc(SourceLocation()); // implicit
1119 
1120   auto ObjCObjectTL = ObjCObjectPointerTL.getPointeeLoc()
1121                         .castAs<ObjCObjectTypeLoc>();
1122   ObjCObjectTL.setHasBaseTypeAsWritten(false);
1123   ObjCObjectTL.getBaseLoc().initialize(Context, SourceLocation());
1124 
1125   // No type arguments.
1126   ObjCObjectTL.setTypeArgsLAngleLoc(SourceLocation());
1127   ObjCObjectTL.setTypeArgsRAngleLoc(SourceLocation());
1128 
1129   // Fill in protocol qualifiers.
1130   ObjCObjectTL.setProtocolLAngleLoc(lAngleLoc);
1131   ObjCObjectTL.setProtocolRAngleLoc(rAngleLoc);
1132   for (unsigned i = 0, n = protocols.size(); i != n; ++i)
1133     ObjCObjectTL.setProtocolLoc(i, protocolLocs[i]);
1134 
1135   // We're done. Return the completed type to the parser.
1136   return CreateParsedType(Result, ResultTInfo);
1137 }
1138 
1139 TypeResult Sema::actOnObjCTypeArgsAndProtocolQualifiers(
1140              Scope *S,
1141              SourceLocation Loc,
1142              ParsedType BaseType,
1143              SourceLocation TypeArgsLAngleLoc,
1144              ArrayRef<ParsedType> TypeArgs,
1145              SourceLocation TypeArgsRAngleLoc,
1146              SourceLocation ProtocolLAngleLoc,
1147              ArrayRef<Decl *> Protocols,
1148              ArrayRef<SourceLocation> ProtocolLocs,
1149              SourceLocation ProtocolRAngleLoc) {
1150   TypeSourceInfo *BaseTypeInfo = nullptr;
1151   QualType T = GetTypeFromParser(BaseType, &BaseTypeInfo);
1152   if (T.isNull())
1153     return true;
1154 
1155   // Handle missing type-source info.
1156   if (!BaseTypeInfo)
1157     BaseTypeInfo = Context.getTrivialTypeSourceInfo(T, Loc);
1158 
1159   // Extract type arguments.
1160   SmallVector<TypeSourceInfo *, 4> ActualTypeArgInfos;
1161   for (unsigned i = 0, n = TypeArgs.size(); i != n; ++i) {
1162     TypeSourceInfo *TypeArgInfo = nullptr;
1163     QualType TypeArg = GetTypeFromParser(TypeArgs[i], &TypeArgInfo);
1164     if (TypeArg.isNull()) {
1165       ActualTypeArgInfos.clear();
1166       break;
1167     }
1168 
1169     assert(TypeArgInfo && "No type source info?");
1170     ActualTypeArgInfos.push_back(TypeArgInfo);
1171   }
1172 
1173   // Build the object type.
1174   QualType Result = BuildObjCObjectType(
1175       T, BaseTypeInfo->getTypeLoc().getSourceRange().getBegin(),
1176       TypeArgsLAngleLoc, ActualTypeArgInfos, TypeArgsRAngleLoc,
1177       ProtocolLAngleLoc,
1178       llvm::makeArrayRef((ObjCProtocolDecl * const *)Protocols.data(),
1179                          Protocols.size()),
1180       ProtocolLocs, ProtocolRAngleLoc,
1181       /*FailOnError=*/false);
1182 
1183   if (Result == T)
1184     return BaseType;
1185 
1186   // Create source information for this type.
1187   TypeSourceInfo *ResultTInfo = Context.CreateTypeSourceInfo(Result);
1188   TypeLoc ResultTL = ResultTInfo->getTypeLoc();
1189 
1190   // For id<Proto1, Proto2> or Class<Proto1, Proto2>, we'll have an
1191   // object pointer type. Fill in source information for it.
1192   if (auto ObjCObjectPointerTL = ResultTL.getAs<ObjCObjectPointerTypeLoc>()) {
1193     // The '*' is implicit.
1194     ObjCObjectPointerTL.setStarLoc(SourceLocation());
1195     ResultTL = ObjCObjectPointerTL.getPointeeLoc();
1196   }
1197 
1198   if (auto OTPTL = ResultTL.getAs<ObjCTypeParamTypeLoc>()) {
1199     // Protocol qualifier information.
1200     if (OTPTL.getNumProtocols() > 0) {
1201       assert(OTPTL.getNumProtocols() == Protocols.size());
1202       OTPTL.setProtocolLAngleLoc(ProtocolLAngleLoc);
1203       OTPTL.setProtocolRAngleLoc(ProtocolRAngleLoc);
1204       for (unsigned i = 0, n = Protocols.size(); i != n; ++i)
1205         OTPTL.setProtocolLoc(i, ProtocolLocs[i]);
1206     }
1207 
1208     // We're done. Return the completed type to the parser.
1209     return CreateParsedType(Result, ResultTInfo);
1210   }
1211 
1212   auto ObjCObjectTL = ResultTL.castAs<ObjCObjectTypeLoc>();
1213 
1214   // Type argument information.
1215   if (ObjCObjectTL.getNumTypeArgs() > 0) {
1216     assert(ObjCObjectTL.getNumTypeArgs() == ActualTypeArgInfos.size());
1217     ObjCObjectTL.setTypeArgsLAngleLoc(TypeArgsLAngleLoc);
1218     ObjCObjectTL.setTypeArgsRAngleLoc(TypeArgsRAngleLoc);
1219     for (unsigned i = 0, n = ActualTypeArgInfos.size(); i != n; ++i)
1220       ObjCObjectTL.setTypeArgTInfo(i, ActualTypeArgInfos[i]);
1221   } else {
1222     ObjCObjectTL.setTypeArgsLAngleLoc(SourceLocation());
1223     ObjCObjectTL.setTypeArgsRAngleLoc(SourceLocation());
1224   }
1225 
1226   // Protocol qualifier information.
1227   if (ObjCObjectTL.getNumProtocols() > 0) {
1228     assert(ObjCObjectTL.getNumProtocols() == Protocols.size());
1229     ObjCObjectTL.setProtocolLAngleLoc(ProtocolLAngleLoc);
1230     ObjCObjectTL.setProtocolRAngleLoc(ProtocolRAngleLoc);
1231     for (unsigned i = 0, n = Protocols.size(); i != n; ++i)
1232       ObjCObjectTL.setProtocolLoc(i, ProtocolLocs[i]);
1233   } else {
1234     ObjCObjectTL.setProtocolLAngleLoc(SourceLocation());
1235     ObjCObjectTL.setProtocolRAngleLoc(SourceLocation());
1236   }
1237 
1238   // Base type.
1239   ObjCObjectTL.setHasBaseTypeAsWritten(true);
1240   if (ObjCObjectTL.getType() == T)
1241     ObjCObjectTL.getBaseLoc().initializeFullCopy(BaseTypeInfo->getTypeLoc());
1242   else
1243     ObjCObjectTL.getBaseLoc().initialize(Context, Loc);
1244 
1245   // We're done. Return the completed type to the parser.
1246   return CreateParsedType(Result, ResultTInfo);
1247 }
1248 
1249 static OpenCLAccessAttr::Spelling
1250 getImageAccess(const ParsedAttributesView &Attrs) {
1251   for (const ParsedAttr &AL : Attrs)
1252     if (AL.getKind() == ParsedAttr::AT_OpenCLAccess)
1253       return static_cast<OpenCLAccessAttr::Spelling>(AL.getSemanticSpelling());
1254   return OpenCLAccessAttr::Keyword_read_only;
1255 }
1256 
1257 static QualType ConvertConstrainedAutoDeclSpecToType(Sema &S, DeclSpec &DS,
1258                                                      AutoTypeKeyword AutoKW) {
1259   assert(DS.isConstrainedAuto());
1260   TemplateIdAnnotation *TemplateId = DS.getRepAsTemplateId();
1261   TemplateArgumentListInfo TemplateArgsInfo;
1262   TemplateArgsInfo.setLAngleLoc(TemplateId->LAngleLoc);
1263   TemplateArgsInfo.setRAngleLoc(TemplateId->RAngleLoc);
1264   ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
1265                                      TemplateId->NumArgs);
1266   S.translateTemplateArguments(TemplateArgsPtr, TemplateArgsInfo);
1267   llvm::SmallVector<TemplateArgument, 8> TemplateArgs;
1268   for (auto &ArgLoc : TemplateArgsInfo.arguments())
1269     TemplateArgs.push_back(ArgLoc.getArgument());
1270   return S.Context.getAutoType(QualType(), AutoTypeKeyword::Auto, false,
1271                                /*IsPack=*/false,
1272                                cast<ConceptDecl>(TemplateId->Template.get()
1273                                                  .getAsTemplateDecl()),
1274                                TemplateArgs);
1275 }
1276 
1277 /// Convert the specified declspec to the appropriate type
1278 /// object.
1279 /// \param state Specifies the declarator containing the declaration specifier
1280 /// to be converted, along with other associated processing state.
1281 /// \returns The type described by the declaration specifiers.  This function
1282 /// never returns null.
1283 static QualType ConvertDeclSpecToType(TypeProcessingState &state) {
1284   // FIXME: Should move the logic from DeclSpec::Finish to here for validity
1285   // checking.
1286 
1287   Sema &S = state.getSema();
1288   Declarator &declarator = state.getDeclarator();
1289   DeclSpec &DS = declarator.getMutableDeclSpec();
1290   SourceLocation DeclLoc = declarator.getIdentifierLoc();
1291   if (DeclLoc.isInvalid())
1292     DeclLoc = DS.getBeginLoc();
1293 
1294   ASTContext &Context = S.Context;
1295 
1296   QualType Result;
1297   switch (DS.getTypeSpecType()) {
1298   case DeclSpec::TST_void:
1299     Result = Context.VoidTy;
1300     break;
1301   case DeclSpec::TST_char:
1302     if (DS.getTypeSpecSign() == DeclSpec::TSS_unspecified)
1303       Result = Context.CharTy;
1304     else if (DS.getTypeSpecSign() == DeclSpec::TSS_signed)
1305       Result = Context.SignedCharTy;
1306     else {
1307       assert(DS.getTypeSpecSign() == DeclSpec::TSS_unsigned &&
1308              "Unknown TSS value");
1309       Result = Context.UnsignedCharTy;
1310     }
1311     break;
1312   case DeclSpec::TST_wchar:
1313     if (DS.getTypeSpecSign() == DeclSpec::TSS_unspecified)
1314       Result = Context.WCharTy;
1315     else if (DS.getTypeSpecSign() == DeclSpec::TSS_signed) {
1316       S.Diag(DS.getTypeSpecSignLoc(), diag::ext_wchar_t_sign_spec)
1317         << DS.getSpecifierName(DS.getTypeSpecType(),
1318                                Context.getPrintingPolicy());
1319       Result = Context.getSignedWCharType();
1320     } else {
1321       assert(DS.getTypeSpecSign() == DeclSpec::TSS_unsigned &&
1322         "Unknown TSS value");
1323       S.Diag(DS.getTypeSpecSignLoc(), diag::ext_wchar_t_sign_spec)
1324         << DS.getSpecifierName(DS.getTypeSpecType(),
1325                                Context.getPrintingPolicy());
1326       Result = Context.getUnsignedWCharType();
1327     }
1328     break;
1329   case DeclSpec::TST_char8:
1330       assert(DS.getTypeSpecSign() == DeclSpec::TSS_unspecified &&
1331         "Unknown TSS value");
1332       Result = Context.Char8Ty;
1333     break;
1334   case DeclSpec::TST_char16:
1335       assert(DS.getTypeSpecSign() == DeclSpec::TSS_unspecified &&
1336         "Unknown TSS value");
1337       Result = Context.Char16Ty;
1338     break;
1339   case DeclSpec::TST_char32:
1340       assert(DS.getTypeSpecSign() == DeclSpec::TSS_unspecified &&
1341         "Unknown TSS value");
1342       Result = Context.Char32Ty;
1343     break;
1344   case DeclSpec::TST_unspecified:
1345     // If this is a missing declspec in a block literal return context, then it
1346     // is inferred from the return statements inside the block.
1347     // The declspec is always missing in a lambda expr context; it is either
1348     // specified with a trailing return type or inferred.
1349     if (S.getLangOpts().CPlusPlus14 &&
1350         declarator.getContext() == DeclaratorContext::LambdaExprContext) {
1351       // In C++1y, a lambda's implicit return type is 'auto'.
1352       Result = Context.getAutoDeductType();
1353       break;
1354     } else if (declarator.getContext() ==
1355                    DeclaratorContext::LambdaExprContext ||
1356                checkOmittedBlockReturnType(S, declarator,
1357                                            Context.DependentTy)) {
1358       Result = Context.DependentTy;
1359       break;
1360     }
1361 
1362     // Unspecified typespec defaults to int in C90.  However, the C90 grammar
1363     // [C90 6.5] only allows a decl-spec if there was *some* type-specifier,
1364     // type-qualifier, or storage-class-specifier.  If not, emit an extwarn.
1365     // Note that the one exception to this is function definitions, which are
1366     // allowed to be completely missing a declspec.  This is handled in the
1367     // parser already though by it pretending to have seen an 'int' in this
1368     // case.
1369     if (S.getLangOpts().ImplicitInt) {
1370       // In C89 mode, we only warn if there is a completely missing declspec
1371       // when one is not allowed.
1372       if (DS.isEmpty()) {
1373         S.Diag(DeclLoc, diag::ext_missing_declspec)
1374             << DS.getSourceRange()
1375             << FixItHint::CreateInsertion(DS.getBeginLoc(), "int");
1376       }
1377     } else if (!DS.hasTypeSpecifier()) {
1378       // C99 and C++ require a type specifier.  For example, C99 6.7.2p2 says:
1379       // "At least one type specifier shall be given in the declaration
1380       // specifiers in each declaration, and in the specifier-qualifier list in
1381       // each struct declaration and type name."
1382       if (S.getLangOpts().CPlusPlus && !DS.isTypeSpecPipe()) {
1383         S.Diag(DeclLoc, diag::err_missing_type_specifier)
1384           << DS.getSourceRange();
1385 
1386         // When this occurs in C++ code, often something is very broken with the
1387         // value being declared, poison it as invalid so we don't get chains of
1388         // errors.
1389         declarator.setInvalidType(true);
1390       } else if ((S.getLangOpts().OpenCLVersion >= 200 ||
1391                   S.getLangOpts().OpenCLCPlusPlus) &&
1392                  DS.isTypeSpecPipe()) {
1393         S.Diag(DeclLoc, diag::err_missing_actual_pipe_type)
1394           << DS.getSourceRange();
1395         declarator.setInvalidType(true);
1396       } else {
1397         S.Diag(DeclLoc, diag::ext_missing_type_specifier)
1398           << DS.getSourceRange();
1399       }
1400     }
1401 
1402     LLVM_FALLTHROUGH;
1403   case DeclSpec::TST_int: {
1404     if (DS.getTypeSpecSign() != DeclSpec::TSS_unsigned) {
1405       switch (DS.getTypeSpecWidth()) {
1406       case DeclSpec::TSW_unspecified: Result = Context.IntTy; break;
1407       case DeclSpec::TSW_short:       Result = Context.ShortTy; break;
1408       case DeclSpec::TSW_long:        Result = Context.LongTy; break;
1409       case DeclSpec::TSW_longlong:
1410         Result = Context.LongLongTy;
1411 
1412         // 'long long' is a C99 or C++11 feature.
1413         if (!S.getLangOpts().C99) {
1414           if (S.getLangOpts().CPlusPlus)
1415             S.Diag(DS.getTypeSpecWidthLoc(),
1416                    S.getLangOpts().CPlusPlus11 ?
1417                    diag::warn_cxx98_compat_longlong : diag::ext_cxx11_longlong);
1418           else
1419             S.Diag(DS.getTypeSpecWidthLoc(), diag::ext_c99_longlong);
1420         }
1421         break;
1422       }
1423     } else {
1424       switch (DS.getTypeSpecWidth()) {
1425       case DeclSpec::TSW_unspecified: Result = Context.UnsignedIntTy; break;
1426       case DeclSpec::TSW_short:       Result = Context.UnsignedShortTy; break;
1427       case DeclSpec::TSW_long:        Result = Context.UnsignedLongTy; break;
1428       case DeclSpec::TSW_longlong:
1429         Result = Context.UnsignedLongLongTy;
1430 
1431         // 'long long' is a C99 or C++11 feature.
1432         if (!S.getLangOpts().C99) {
1433           if (S.getLangOpts().CPlusPlus)
1434             S.Diag(DS.getTypeSpecWidthLoc(),
1435                    S.getLangOpts().CPlusPlus11 ?
1436                    diag::warn_cxx98_compat_longlong : diag::ext_cxx11_longlong);
1437           else
1438             S.Diag(DS.getTypeSpecWidthLoc(), diag::ext_c99_longlong);
1439         }
1440         break;
1441       }
1442     }
1443     break;
1444   }
1445   case DeclSpec::TST_extint: {
1446     if (!S.Context.getTargetInfo().hasExtIntType())
1447       S.Diag(DS.getTypeSpecTypeLoc(), diag::err_type_unsupported)
1448         << "_ExtInt";
1449     Result = S.BuildExtIntType(DS.getTypeSpecSign() == TSS_unsigned,
1450                                DS.getRepAsExpr(), DS.getBeginLoc());
1451     if (Result.isNull()) {
1452       Result = Context.IntTy;
1453       declarator.setInvalidType(true);
1454     }
1455     break;
1456   }
1457   case DeclSpec::TST_accum: {
1458     switch (DS.getTypeSpecWidth()) {
1459       case DeclSpec::TSW_short:
1460         Result = Context.ShortAccumTy;
1461         break;
1462       case DeclSpec::TSW_unspecified:
1463         Result = Context.AccumTy;
1464         break;
1465       case DeclSpec::TSW_long:
1466         Result = Context.LongAccumTy;
1467         break;
1468       case DeclSpec::TSW_longlong:
1469         llvm_unreachable("Unable to specify long long as _Accum width");
1470     }
1471 
1472     if (DS.getTypeSpecSign() == DeclSpec::TSS_unsigned)
1473       Result = Context.getCorrespondingUnsignedType(Result);
1474 
1475     if (DS.isTypeSpecSat())
1476       Result = Context.getCorrespondingSaturatedType(Result);
1477 
1478     break;
1479   }
1480   case DeclSpec::TST_fract: {
1481     switch (DS.getTypeSpecWidth()) {
1482       case DeclSpec::TSW_short:
1483         Result = Context.ShortFractTy;
1484         break;
1485       case DeclSpec::TSW_unspecified:
1486         Result = Context.FractTy;
1487         break;
1488       case DeclSpec::TSW_long:
1489         Result = Context.LongFractTy;
1490         break;
1491       case DeclSpec::TSW_longlong:
1492         llvm_unreachable("Unable to specify long long as _Fract width");
1493     }
1494 
1495     if (DS.getTypeSpecSign() == DeclSpec::TSS_unsigned)
1496       Result = Context.getCorrespondingUnsignedType(Result);
1497 
1498     if (DS.isTypeSpecSat())
1499       Result = Context.getCorrespondingSaturatedType(Result);
1500 
1501     break;
1502   }
1503   case DeclSpec::TST_int128:
1504     if (!S.Context.getTargetInfo().hasInt128Type() &&
1505         !(S.getLangOpts().OpenMP && S.getLangOpts().OpenMPIsDevice))
1506       S.Diag(DS.getTypeSpecTypeLoc(), diag::err_type_unsupported)
1507         << "__int128";
1508     if (DS.getTypeSpecSign() == DeclSpec::TSS_unsigned)
1509       Result = Context.UnsignedInt128Ty;
1510     else
1511       Result = Context.Int128Ty;
1512     break;
1513   case DeclSpec::TST_float16:
1514     // CUDA host and device may have different _Float16 support, therefore
1515     // do not diagnose _Float16 usage to avoid false alarm.
1516     // ToDo: more precise diagnostics for CUDA.
1517     if (!S.Context.getTargetInfo().hasFloat16Type() && !S.getLangOpts().CUDA &&
1518         !(S.getLangOpts().OpenMP && S.getLangOpts().OpenMPIsDevice))
1519       S.Diag(DS.getTypeSpecTypeLoc(), diag::err_type_unsupported)
1520         << "_Float16";
1521     Result = Context.Float16Ty;
1522     break;
1523   case DeclSpec::TST_half:    Result = Context.HalfTy; break;
1524   case DeclSpec::TST_float:   Result = Context.FloatTy; break;
1525   case DeclSpec::TST_double:
1526     if (DS.getTypeSpecWidth() == DeclSpec::TSW_long)
1527       Result = Context.LongDoubleTy;
1528     else
1529       Result = Context.DoubleTy;
1530     break;
1531   case DeclSpec::TST_float128:
1532     if (!S.Context.getTargetInfo().hasFloat128Type() &&
1533         !(S.getLangOpts().OpenMP && S.getLangOpts().OpenMPIsDevice))
1534       S.Diag(DS.getTypeSpecTypeLoc(), diag::err_type_unsupported)
1535         << "__float128";
1536     Result = Context.Float128Ty;
1537     break;
1538   case DeclSpec::TST_bool: Result = Context.BoolTy; break; // _Bool or bool
1539     break;
1540   case DeclSpec::TST_decimal32:    // _Decimal32
1541   case DeclSpec::TST_decimal64:    // _Decimal64
1542   case DeclSpec::TST_decimal128:   // _Decimal128
1543     S.Diag(DS.getTypeSpecTypeLoc(), diag::err_decimal_unsupported);
1544     Result = Context.IntTy;
1545     declarator.setInvalidType(true);
1546     break;
1547   case DeclSpec::TST_class:
1548   case DeclSpec::TST_enum:
1549   case DeclSpec::TST_union:
1550   case DeclSpec::TST_struct:
1551   case DeclSpec::TST_interface: {
1552     TagDecl *D = dyn_cast_or_null<TagDecl>(DS.getRepAsDecl());
1553     if (!D) {
1554       // This can happen in C++ with ambiguous lookups.
1555       Result = Context.IntTy;
1556       declarator.setInvalidType(true);
1557       break;
1558     }
1559 
1560     // If the type is deprecated or unavailable, diagnose it.
1561     S.DiagnoseUseOfDecl(D, DS.getTypeSpecTypeNameLoc());
1562 
1563     assert(DS.getTypeSpecWidth() == 0 && DS.getTypeSpecComplex() == 0 &&
1564            DS.getTypeSpecSign() == 0 && "No qualifiers on tag names!");
1565 
1566     // TypeQuals handled by caller.
1567     Result = Context.getTypeDeclType(D);
1568 
1569     // In both C and C++, make an ElaboratedType.
1570     ElaboratedTypeKeyword Keyword
1571       = ElaboratedType::getKeywordForTypeSpec(DS.getTypeSpecType());
1572     Result = S.getElaboratedType(Keyword, DS.getTypeSpecScope(), Result,
1573                                  DS.isTypeSpecOwned() ? D : nullptr);
1574     break;
1575   }
1576   case DeclSpec::TST_typename: {
1577     assert(DS.getTypeSpecWidth() == 0 && DS.getTypeSpecComplex() == 0 &&
1578            DS.getTypeSpecSign() == 0 &&
1579            "Can't handle qualifiers on typedef names yet!");
1580     Result = S.GetTypeFromParser(DS.getRepAsType());
1581     if (Result.isNull()) {
1582       declarator.setInvalidType(true);
1583     }
1584 
1585     // TypeQuals handled by caller.
1586     break;
1587   }
1588   case DeclSpec::TST_typeofType:
1589     // FIXME: Preserve type source info.
1590     Result = S.GetTypeFromParser(DS.getRepAsType());
1591     assert(!Result.isNull() && "Didn't get a type for typeof?");
1592     if (!Result->isDependentType())
1593       if (const TagType *TT = Result->getAs<TagType>())
1594         S.DiagnoseUseOfDecl(TT->getDecl(), DS.getTypeSpecTypeLoc());
1595     // TypeQuals handled by caller.
1596     Result = Context.getTypeOfType(Result);
1597     break;
1598   case DeclSpec::TST_typeofExpr: {
1599     Expr *E = DS.getRepAsExpr();
1600     assert(E && "Didn't get an expression for typeof?");
1601     // TypeQuals handled by caller.
1602     Result = S.BuildTypeofExprType(E, DS.getTypeSpecTypeLoc());
1603     if (Result.isNull()) {
1604       Result = Context.IntTy;
1605       declarator.setInvalidType(true);
1606     }
1607     break;
1608   }
1609   case DeclSpec::TST_decltype: {
1610     Expr *E = DS.getRepAsExpr();
1611     assert(E && "Didn't get an expression for decltype?");
1612     // TypeQuals handled by caller.
1613     Result = S.BuildDecltypeType(E, DS.getTypeSpecTypeLoc());
1614     if (Result.isNull()) {
1615       Result = Context.IntTy;
1616       declarator.setInvalidType(true);
1617     }
1618     break;
1619   }
1620   case DeclSpec::TST_underlyingType:
1621     Result = S.GetTypeFromParser(DS.getRepAsType());
1622     assert(!Result.isNull() && "Didn't get a type for __underlying_type?");
1623     Result = S.BuildUnaryTransformType(Result,
1624                                        UnaryTransformType::EnumUnderlyingType,
1625                                        DS.getTypeSpecTypeLoc());
1626     if (Result.isNull()) {
1627       Result = Context.IntTy;
1628       declarator.setInvalidType(true);
1629     }
1630     break;
1631 
1632   case DeclSpec::TST_auto:
1633     if (DS.isConstrainedAuto()) {
1634       Result = ConvertConstrainedAutoDeclSpecToType(S, DS,
1635                                                     AutoTypeKeyword::Auto);
1636       break;
1637     }
1638     Result = Context.getAutoType(QualType(), AutoTypeKeyword::Auto, false);
1639     break;
1640 
1641   case DeclSpec::TST_auto_type:
1642     Result = Context.getAutoType(QualType(), AutoTypeKeyword::GNUAutoType, false);
1643     break;
1644 
1645   case DeclSpec::TST_decltype_auto:
1646     if (DS.isConstrainedAuto()) {
1647       Result =
1648           ConvertConstrainedAutoDeclSpecToType(S, DS,
1649                                                AutoTypeKeyword::DecltypeAuto);
1650       break;
1651     }
1652     Result = Context.getAutoType(QualType(), AutoTypeKeyword::DecltypeAuto,
1653                                  /*IsDependent*/ false);
1654     break;
1655 
1656   case DeclSpec::TST_unknown_anytype:
1657     Result = Context.UnknownAnyTy;
1658     break;
1659 
1660   case DeclSpec::TST_atomic:
1661     Result = S.GetTypeFromParser(DS.getRepAsType());
1662     assert(!Result.isNull() && "Didn't get a type for _Atomic?");
1663     Result = S.BuildAtomicType(Result, DS.getTypeSpecTypeLoc());
1664     if (Result.isNull()) {
1665       Result = Context.IntTy;
1666       declarator.setInvalidType(true);
1667     }
1668     break;
1669 
1670 #define GENERIC_IMAGE_TYPE(ImgType, Id)                                        \
1671   case DeclSpec::TST_##ImgType##_t:                                            \
1672     switch (getImageAccess(DS.getAttributes())) {                              \
1673     case OpenCLAccessAttr::Keyword_write_only:                                 \
1674       Result = Context.Id##WOTy;                                               \
1675       break;                                                                   \
1676     case OpenCLAccessAttr::Keyword_read_write:                                 \
1677       Result = Context.Id##RWTy;                                               \
1678       break;                                                                   \
1679     case OpenCLAccessAttr::Keyword_read_only:                                  \
1680       Result = Context.Id##ROTy;                                               \
1681       break;                                                                   \
1682     case OpenCLAccessAttr::SpellingNotCalculated:                              \
1683       llvm_unreachable("Spelling not yet calculated");                         \
1684     }                                                                          \
1685     break;
1686 #include "clang/Basic/OpenCLImageTypes.def"
1687 
1688   case DeclSpec::TST_error:
1689     Result = Context.IntTy;
1690     declarator.setInvalidType(true);
1691     break;
1692   }
1693 
1694   // FIXME: we want resulting declarations to be marked invalid, but claiming
1695   // the type is invalid is too strong - e.g. it causes ActOnTypeName to return
1696   // a null type.
1697   if (Result->containsErrors())
1698     declarator.setInvalidType();
1699 
1700   if (S.getLangOpts().OpenCL &&
1701       S.checkOpenCLDisabledTypeDeclSpec(DS, Result))
1702     declarator.setInvalidType(true);
1703 
1704   bool IsFixedPointType = DS.getTypeSpecType() == DeclSpec::TST_accum ||
1705                           DS.getTypeSpecType() == DeclSpec::TST_fract;
1706 
1707   // Only fixed point types can be saturated
1708   if (DS.isTypeSpecSat() && !IsFixedPointType)
1709     S.Diag(DS.getTypeSpecSatLoc(), diag::err_invalid_saturation_spec)
1710         << DS.getSpecifierName(DS.getTypeSpecType(),
1711                                Context.getPrintingPolicy());
1712 
1713   // Handle complex types.
1714   if (DS.getTypeSpecComplex() == DeclSpec::TSC_complex) {
1715     if (S.getLangOpts().Freestanding)
1716       S.Diag(DS.getTypeSpecComplexLoc(), diag::ext_freestanding_complex);
1717     Result = Context.getComplexType(Result);
1718   } else if (DS.isTypeAltiVecVector()) {
1719     unsigned typeSize = static_cast<unsigned>(Context.getTypeSize(Result));
1720     assert(typeSize > 0 && "type size for vector must be greater than 0 bits");
1721     VectorType::VectorKind VecKind = VectorType::AltiVecVector;
1722     if (DS.isTypeAltiVecPixel())
1723       VecKind = VectorType::AltiVecPixel;
1724     else if (DS.isTypeAltiVecBool())
1725       VecKind = VectorType::AltiVecBool;
1726     Result = Context.getVectorType(Result, 128/typeSize, VecKind);
1727   }
1728 
1729   // FIXME: Imaginary.
1730   if (DS.getTypeSpecComplex() == DeclSpec::TSC_imaginary)
1731     S.Diag(DS.getTypeSpecComplexLoc(), diag::err_imaginary_not_supported);
1732 
1733   // Before we process any type attributes, synthesize a block literal
1734   // function declarator if necessary.
1735   if (declarator.getContext() == DeclaratorContext::BlockLiteralContext)
1736     maybeSynthesizeBlockSignature(state, Result);
1737 
1738   // Apply any type attributes from the decl spec.  This may cause the
1739   // list of type attributes to be temporarily saved while the type
1740   // attributes are pushed around.
1741   // pipe attributes will be handled later ( at GetFullTypeForDeclarator )
1742   if (!DS.isTypeSpecPipe())
1743     processTypeAttrs(state, Result, TAL_DeclSpec, DS.getAttributes());
1744 
1745   // Apply const/volatile/restrict qualifiers to T.
1746   if (unsigned TypeQuals = DS.getTypeQualifiers()) {
1747     // Warn about CV qualifiers on function types.
1748     // C99 6.7.3p8:
1749     //   If the specification of a function type includes any type qualifiers,
1750     //   the behavior is undefined.
1751     // C++11 [dcl.fct]p7:
1752     //   The effect of a cv-qualifier-seq in a function declarator is not the
1753     //   same as adding cv-qualification on top of the function type. In the
1754     //   latter case, the cv-qualifiers are ignored.
1755     if (TypeQuals && Result->isFunctionType()) {
1756       diagnoseAndRemoveTypeQualifiers(
1757           S, DS, TypeQuals, Result, DeclSpec::TQ_const | DeclSpec::TQ_volatile,
1758           S.getLangOpts().CPlusPlus
1759               ? diag::warn_typecheck_function_qualifiers_ignored
1760               : diag::warn_typecheck_function_qualifiers_unspecified);
1761       // No diagnostic for 'restrict' or '_Atomic' applied to a
1762       // function type; we'll diagnose those later, in BuildQualifiedType.
1763     }
1764 
1765     // C++11 [dcl.ref]p1:
1766     //   Cv-qualified references are ill-formed except when the
1767     //   cv-qualifiers are introduced through the use of a typedef-name
1768     //   or decltype-specifier, in which case the cv-qualifiers are ignored.
1769     //
1770     // There don't appear to be any other contexts in which a cv-qualified
1771     // reference type could be formed, so the 'ill-formed' clause here appears
1772     // to never happen.
1773     if (TypeQuals && Result->isReferenceType()) {
1774       diagnoseAndRemoveTypeQualifiers(
1775           S, DS, TypeQuals, Result,
1776           DeclSpec::TQ_const | DeclSpec::TQ_volatile | DeclSpec::TQ_atomic,
1777           diag::warn_typecheck_reference_qualifiers);
1778     }
1779 
1780     // C90 6.5.3 constraints: "The same type qualifier shall not appear more
1781     // than once in the same specifier-list or qualifier-list, either directly
1782     // or via one or more typedefs."
1783     if (!S.getLangOpts().C99 && !S.getLangOpts().CPlusPlus
1784         && TypeQuals & Result.getCVRQualifiers()) {
1785       if (TypeQuals & DeclSpec::TQ_const && Result.isConstQualified()) {
1786         S.Diag(DS.getConstSpecLoc(), diag::ext_duplicate_declspec)
1787           << "const";
1788       }
1789 
1790       if (TypeQuals & DeclSpec::TQ_volatile && Result.isVolatileQualified()) {
1791         S.Diag(DS.getVolatileSpecLoc(), diag::ext_duplicate_declspec)
1792           << "volatile";
1793       }
1794 
1795       // C90 doesn't have restrict nor _Atomic, so it doesn't force us to
1796       // produce a warning in this case.
1797     }
1798 
1799     QualType Qualified = S.BuildQualifiedType(Result, DeclLoc, TypeQuals, &DS);
1800 
1801     // If adding qualifiers fails, just use the unqualified type.
1802     if (Qualified.isNull())
1803       declarator.setInvalidType(true);
1804     else
1805       Result = Qualified;
1806   }
1807 
1808   assert(!Result.isNull() && "This function should not return a null type");
1809   return Result;
1810 }
1811 
1812 static std::string getPrintableNameForEntity(DeclarationName Entity) {
1813   if (Entity)
1814     return Entity.getAsString();
1815 
1816   return "type name";
1817 }
1818 
1819 QualType Sema::BuildQualifiedType(QualType T, SourceLocation Loc,
1820                                   Qualifiers Qs, const DeclSpec *DS) {
1821   if (T.isNull())
1822     return QualType();
1823 
1824   // Ignore any attempt to form a cv-qualified reference.
1825   if (T->isReferenceType()) {
1826     Qs.removeConst();
1827     Qs.removeVolatile();
1828   }
1829 
1830   // Enforce C99 6.7.3p2: "Types other than pointer types derived from
1831   // object or incomplete types shall not be restrict-qualified."
1832   if (Qs.hasRestrict()) {
1833     unsigned DiagID = 0;
1834     QualType ProblemTy;
1835 
1836     if (T->isAnyPointerType() || T->isReferenceType() ||
1837         T->isMemberPointerType()) {
1838       QualType EltTy;
1839       if (T->isObjCObjectPointerType())
1840         EltTy = T;
1841       else if (const MemberPointerType *PTy = T->getAs<MemberPointerType>())
1842         EltTy = PTy->getPointeeType();
1843       else
1844         EltTy = T->getPointeeType();
1845 
1846       // If we have a pointer or reference, the pointee must have an object
1847       // incomplete type.
1848       if (!EltTy->isIncompleteOrObjectType()) {
1849         DiagID = diag::err_typecheck_invalid_restrict_invalid_pointee;
1850         ProblemTy = EltTy;
1851       }
1852     } else if (!T->isDependentType()) {
1853       DiagID = diag::err_typecheck_invalid_restrict_not_pointer;
1854       ProblemTy = T;
1855     }
1856 
1857     if (DiagID) {
1858       Diag(DS ? DS->getRestrictSpecLoc() : Loc, DiagID) << ProblemTy;
1859       Qs.removeRestrict();
1860     }
1861   }
1862 
1863   return Context.getQualifiedType(T, Qs);
1864 }
1865 
1866 QualType Sema::BuildQualifiedType(QualType T, SourceLocation Loc,
1867                                   unsigned CVRAU, const DeclSpec *DS) {
1868   if (T.isNull())
1869     return QualType();
1870 
1871   // Ignore any attempt to form a cv-qualified reference.
1872   if (T->isReferenceType())
1873     CVRAU &=
1874         ~(DeclSpec::TQ_const | DeclSpec::TQ_volatile | DeclSpec::TQ_atomic);
1875 
1876   // Convert from DeclSpec::TQ to Qualifiers::TQ by just dropping TQ_atomic and
1877   // TQ_unaligned;
1878   unsigned CVR = CVRAU & ~(DeclSpec::TQ_atomic | DeclSpec::TQ_unaligned);
1879 
1880   // C11 6.7.3/5:
1881   //   If the same qualifier appears more than once in the same
1882   //   specifier-qualifier-list, either directly or via one or more typedefs,
1883   //   the behavior is the same as if it appeared only once.
1884   //
1885   // It's not specified what happens when the _Atomic qualifier is applied to
1886   // a type specified with the _Atomic specifier, but we assume that this
1887   // should be treated as if the _Atomic qualifier appeared multiple times.
1888   if (CVRAU & DeclSpec::TQ_atomic && !T->isAtomicType()) {
1889     // C11 6.7.3/5:
1890     //   If other qualifiers appear along with the _Atomic qualifier in a
1891     //   specifier-qualifier-list, the resulting type is the so-qualified
1892     //   atomic type.
1893     //
1894     // Don't need to worry about array types here, since _Atomic can't be
1895     // applied to such types.
1896     SplitQualType Split = T.getSplitUnqualifiedType();
1897     T = BuildAtomicType(QualType(Split.Ty, 0),
1898                         DS ? DS->getAtomicSpecLoc() : Loc);
1899     if (T.isNull())
1900       return T;
1901     Split.Quals.addCVRQualifiers(CVR);
1902     return BuildQualifiedType(T, Loc, Split.Quals);
1903   }
1904 
1905   Qualifiers Q = Qualifiers::fromCVRMask(CVR);
1906   Q.setUnaligned(CVRAU & DeclSpec::TQ_unaligned);
1907   return BuildQualifiedType(T, Loc, Q, DS);
1908 }
1909 
1910 /// Build a paren type including \p T.
1911 QualType Sema::BuildParenType(QualType T) {
1912   return Context.getParenType(T);
1913 }
1914 
1915 /// Given that we're building a pointer or reference to the given
1916 static QualType inferARCLifetimeForPointee(Sema &S, QualType type,
1917                                            SourceLocation loc,
1918                                            bool isReference) {
1919   // Bail out if retention is unrequired or already specified.
1920   if (!type->isObjCLifetimeType() ||
1921       type.getObjCLifetime() != Qualifiers::OCL_None)
1922     return type;
1923 
1924   Qualifiers::ObjCLifetime implicitLifetime = Qualifiers::OCL_None;
1925 
1926   // If the object type is const-qualified, we can safely use
1927   // __unsafe_unretained.  This is safe (because there are no read
1928   // barriers), and it'll be safe to coerce anything but __weak* to
1929   // the resulting type.
1930   if (type.isConstQualified()) {
1931     implicitLifetime = Qualifiers::OCL_ExplicitNone;
1932 
1933   // Otherwise, check whether the static type does not require
1934   // retaining.  This currently only triggers for Class (possibly
1935   // protocol-qualifed, and arrays thereof).
1936   } else if (type->isObjCARCImplicitlyUnretainedType()) {
1937     implicitLifetime = Qualifiers::OCL_ExplicitNone;
1938 
1939   // If we are in an unevaluated context, like sizeof, skip adding a
1940   // qualification.
1941   } else if (S.isUnevaluatedContext()) {
1942     return type;
1943 
1944   // If that failed, give an error and recover using __strong.  __strong
1945   // is the option most likely to prevent spurious second-order diagnostics,
1946   // like when binding a reference to a field.
1947   } else {
1948     // These types can show up in private ivars in system headers, so
1949     // we need this to not be an error in those cases.  Instead we
1950     // want to delay.
1951     if (S.DelayedDiagnostics.shouldDelayDiagnostics()) {
1952       S.DelayedDiagnostics.add(
1953           sema::DelayedDiagnostic::makeForbiddenType(loc,
1954               diag::err_arc_indirect_no_ownership, type, isReference));
1955     } else {
1956       S.Diag(loc, diag::err_arc_indirect_no_ownership) << type << isReference;
1957     }
1958     implicitLifetime = Qualifiers::OCL_Strong;
1959   }
1960   assert(implicitLifetime && "didn't infer any lifetime!");
1961 
1962   Qualifiers qs;
1963   qs.addObjCLifetime(implicitLifetime);
1964   return S.Context.getQualifiedType(type, qs);
1965 }
1966 
1967 static std::string getFunctionQualifiersAsString(const FunctionProtoType *FnTy){
1968   std::string Quals = FnTy->getMethodQuals().getAsString();
1969 
1970   switch (FnTy->getRefQualifier()) {
1971   case RQ_None:
1972     break;
1973 
1974   case RQ_LValue:
1975     if (!Quals.empty())
1976       Quals += ' ';
1977     Quals += '&';
1978     break;
1979 
1980   case RQ_RValue:
1981     if (!Quals.empty())
1982       Quals += ' ';
1983     Quals += "&&";
1984     break;
1985   }
1986 
1987   return Quals;
1988 }
1989 
1990 namespace {
1991 /// Kinds of declarator that cannot contain a qualified function type.
1992 ///
1993 /// C++98 [dcl.fct]p4 / C++11 [dcl.fct]p6:
1994 ///     a function type with a cv-qualifier or a ref-qualifier can only appear
1995 ///     at the topmost level of a type.
1996 ///
1997 /// Parens and member pointers are permitted. We don't diagnose array and
1998 /// function declarators, because they don't allow function types at all.
1999 ///
2000 /// The values of this enum are used in diagnostics.
2001 enum QualifiedFunctionKind { QFK_BlockPointer, QFK_Pointer, QFK_Reference };
2002 } // end anonymous namespace
2003 
2004 /// Check whether the type T is a qualified function type, and if it is,
2005 /// diagnose that it cannot be contained within the given kind of declarator.
2006 static bool checkQualifiedFunction(Sema &S, QualType T, SourceLocation Loc,
2007                                    QualifiedFunctionKind QFK) {
2008   // Does T refer to a function type with a cv-qualifier or a ref-qualifier?
2009   const FunctionProtoType *FPT = T->getAs<FunctionProtoType>();
2010   if (!FPT ||
2011       (FPT->getMethodQuals().empty() && FPT->getRefQualifier() == RQ_None))
2012     return false;
2013 
2014   S.Diag(Loc, diag::err_compound_qualified_function_type)
2015     << QFK << isa<FunctionType>(T.IgnoreParens()) << T
2016     << getFunctionQualifiersAsString(FPT);
2017   return true;
2018 }
2019 
2020 bool Sema::CheckQualifiedFunctionForTypeId(QualType T, SourceLocation Loc) {
2021   const FunctionProtoType *FPT = T->getAs<FunctionProtoType>();
2022   if (!FPT ||
2023       (FPT->getMethodQuals().empty() && FPT->getRefQualifier() == RQ_None))
2024     return false;
2025 
2026   Diag(Loc, diag::err_qualified_function_typeid)
2027       << T << getFunctionQualifiersAsString(FPT);
2028   return true;
2029 }
2030 
2031 // Helper to deduce addr space of a pointee type in OpenCL mode.
2032 static QualType deduceOpenCLPointeeAddrSpace(Sema &S, QualType PointeeType) {
2033   if (!PointeeType->isUndeducedAutoType() && !PointeeType->isDependentType() &&
2034       !PointeeType->isSamplerT() &&
2035       !PointeeType.hasAddressSpace())
2036     PointeeType = S.getASTContext().getAddrSpaceQualType(
2037         PointeeType,
2038         S.getLangOpts().OpenCLCPlusPlus || S.getLangOpts().OpenCLVersion == 200
2039             ? LangAS::opencl_generic
2040             : LangAS::opencl_private);
2041   return PointeeType;
2042 }
2043 
2044 /// Build a pointer type.
2045 ///
2046 /// \param T The type to which we'll be building a pointer.
2047 ///
2048 /// \param Loc The location of the entity whose type involves this
2049 /// pointer type or, if there is no such entity, the location of the
2050 /// type that will have pointer type.
2051 ///
2052 /// \param Entity The name of the entity that involves the pointer
2053 /// type, if known.
2054 ///
2055 /// \returns A suitable pointer type, if there are no
2056 /// errors. Otherwise, returns a NULL type.
2057 QualType Sema::BuildPointerType(QualType T,
2058                                 SourceLocation Loc, DeclarationName Entity) {
2059   if (T->isReferenceType()) {
2060     // C++ 8.3.2p4: There shall be no ... pointers to references ...
2061     Diag(Loc, diag::err_illegal_decl_pointer_to_reference)
2062       << getPrintableNameForEntity(Entity) << T;
2063     return QualType();
2064   }
2065 
2066   if (T->isFunctionType() && getLangOpts().OpenCL) {
2067     Diag(Loc, diag::err_opencl_function_pointer);
2068     return QualType();
2069   }
2070 
2071   if (checkQualifiedFunction(*this, T, Loc, QFK_Pointer))
2072     return QualType();
2073 
2074   assert(!T->isObjCObjectType() && "Should build ObjCObjectPointerType");
2075 
2076   // In ARC, it is forbidden to build pointers to unqualified pointers.
2077   if (getLangOpts().ObjCAutoRefCount)
2078     T = inferARCLifetimeForPointee(*this, T, Loc, /*reference*/ false);
2079 
2080   if (getLangOpts().OpenCL)
2081     T = deduceOpenCLPointeeAddrSpace(*this, T);
2082 
2083   // Build the pointer type.
2084   return Context.getPointerType(T);
2085 }
2086 
2087 /// Build a reference type.
2088 ///
2089 /// \param T The type to which we'll be building a reference.
2090 ///
2091 /// \param Loc The location of the entity whose type involves this
2092 /// reference type or, if there is no such entity, the location of the
2093 /// type that will have reference type.
2094 ///
2095 /// \param Entity The name of the entity that involves the reference
2096 /// type, if known.
2097 ///
2098 /// \returns A suitable reference type, if there are no
2099 /// errors. Otherwise, returns a NULL type.
2100 QualType Sema::BuildReferenceType(QualType T, bool SpelledAsLValue,
2101                                   SourceLocation Loc,
2102                                   DeclarationName Entity) {
2103   assert(Context.getCanonicalType(T) != Context.OverloadTy &&
2104          "Unresolved overloaded function type");
2105 
2106   // C++0x [dcl.ref]p6:
2107   //   If a typedef (7.1.3), a type template-parameter (14.3.1), or a
2108   //   decltype-specifier (7.1.6.2) denotes a type TR that is a reference to a
2109   //   type T, an attempt to create the type "lvalue reference to cv TR" creates
2110   //   the type "lvalue reference to T", while an attempt to create the type
2111   //   "rvalue reference to cv TR" creates the type TR.
2112   bool LValueRef = SpelledAsLValue || T->getAs<LValueReferenceType>();
2113 
2114   // C++ [dcl.ref]p4: There shall be no references to references.
2115   //
2116   // According to C++ DR 106, references to references are only
2117   // diagnosed when they are written directly (e.g., "int & &"),
2118   // but not when they happen via a typedef:
2119   //
2120   //   typedef int& intref;
2121   //   typedef intref& intref2;
2122   //
2123   // Parser::ParseDeclaratorInternal diagnoses the case where
2124   // references are written directly; here, we handle the
2125   // collapsing of references-to-references as described in C++0x.
2126   // DR 106 and 540 introduce reference-collapsing into C++98/03.
2127 
2128   // C++ [dcl.ref]p1:
2129   //   A declarator that specifies the type "reference to cv void"
2130   //   is ill-formed.
2131   if (T->isVoidType()) {
2132     Diag(Loc, diag::err_reference_to_void);
2133     return QualType();
2134   }
2135 
2136   if (checkQualifiedFunction(*this, T, Loc, QFK_Reference))
2137     return QualType();
2138 
2139   // In ARC, it is forbidden to build references to unqualified pointers.
2140   if (getLangOpts().ObjCAutoRefCount)
2141     T = inferARCLifetimeForPointee(*this, T, Loc, /*reference*/ true);
2142 
2143   if (getLangOpts().OpenCL)
2144     T = deduceOpenCLPointeeAddrSpace(*this, T);
2145 
2146   // Handle restrict on references.
2147   if (LValueRef)
2148     return Context.getLValueReferenceType(T, SpelledAsLValue);
2149   return Context.getRValueReferenceType(T);
2150 }
2151 
2152 /// Build a Read-only Pipe type.
2153 ///
2154 /// \param T The type to which we'll be building a Pipe.
2155 ///
2156 /// \param Loc We do not use it for now.
2157 ///
2158 /// \returns A suitable pipe type, if there are no errors. Otherwise, returns a
2159 /// NULL type.
2160 QualType Sema::BuildReadPipeType(QualType T, SourceLocation Loc) {
2161   return Context.getReadPipeType(T);
2162 }
2163 
2164 /// Build a Write-only Pipe type.
2165 ///
2166 /// \param T The type to which we'll be building a Pipe.
2167 ///
2168 /// \param Loc We do not use it for now.
2169 ///
2170 /// \returns A suitable pipe type, if there are no errors. Otherwise, returns a
2171 /// NULL type.
2172 QualType Sema::BuildWritePipeType(QualType T, SourceLocation Loc) {
2173   return Context.getWritePipeType(T);
2174 }
2175 
2176 /// Build a extended int type.
2177 ///
2178 /// \param IsUnsigned Boolean representing the signedness of the type.
2179 ///
2180 /// \param BitWidth Size of this int type in bits, or an expression representing
2181 /// that.
2182 ///
2183 /// \param Loc Location of the keyword.
2184 QualType Sema::BuildExtIntType(bool IsUnsigned, Expr *BitWidth,
2185                                SourceLocation Loc) {
2186   if (BitWidth->isInstantiationDependent())
2187     return Context.getDependentExtIntType(IsUnsigned, BitWidth);
2188 
2189   llvm::APSInt Bits(32);
2190   ExprResult ICE = VerifyIntegerConstantExpression(BitWidth, &Bits);
2191 
2192   if (ICE.isInvalid())
2193     return QualType();
2194 
2195   int64_t NumBits = Bits.getSExtValue();
2196   if (!IsUnsigned && NumBits < 2) {
2197     Diag(Loc, diag::err_ext_int_bad_size) << 0;
2198     return QualType();
2199   }
2200 
2201   if (IsUnsigned && NumBits < 1) {
2202     Diag(Loc, diag::err_ext_int_bad_size) << 1;
2203     return QualType();
2204   }
2205 
2206   if (NumBits > llvm::IntegerType::MAX_INT_BITS) {
2207     Diag(Loc, diag::err_ext_int_max_size) << IsUnsigned
2208                                           << llvm::IntegerType::MAX_INT_BITS;
2209     return QualType();
2210   }
2211 
2212   return Context.getExtIntType(IsUnsigned, NumBits);
2213 }
2214 
2215 /// Check whether the specified array size makes the array type a VLA.  If so,
2216 /// return true, if not, return the size of the array in SizeVal.
2217 static bool isArraySizeVLA(Sema &S, Expr *ArraySize, llvm::APSInt &SizeVal) {
2218   // If the size is an ICE, it certainly isn't a VLA. If we're in a GNU mode
2219   // (like gnu99, but not c99) accept any evaluatable value as an extension.
2220   class VLADiagnoser : public Sema::VerifyICEDiagnoser {
2221   public:
2222     VLADiagnoser() : Sema::VerifyICEDiagnoser(true) {}
2223 
2224     void diagnoseNotICE(Sema &S, SourceLocation Loc, SourceRange SR) override {
2225     }
2226 
2227     void diagnoseFold(Sema &S, SourceLocation Loc, SourceRange SR) override {
2228       S.Diag(Loc, diag::ext_vla_folded_to_constant) << SR;
2229     }
2230   } Diagnoser;
2231 
2232   return S.VerifyIntegerConstantExpression(ArraySize, &SizeVal, Diagnoser,
2233                                            S.LangOpts.GNUMode ||
2234                                            S.LangOpts.OpenCL).isInvalid();
2235 }
2236 
2237 /// Build an array type.
2238 ///
2239 /// \param T The type of each element in the array.
2240 ///
2241 /// \param ASM C99 array size modifier (e.g., '*', 'static').
2242 ///
2243 /// \param ArraySize Expression describing the size of the array.
2244 ///
2245 /// \param Brackets The range from the opening '[' to the closing ']'.
2246 ///
2247 /// \param Entity The name of the entity that involves the array
2248 /// type, if known.
2249 ///
2250 /// \returns A suitable array type, if there are no errors. Otherwise,
2251 /// returns a NULL type.
2252 QualType Sema::BuildArrayType(QualType T, ArrayType::ArraySizeModifier ASM,
2253                               Expr *ArraySize, unsigned Quals,
2254                               SourceRange Brackets, DeclarationName Entity) {
2255 
2256   SourceLocation Loc = Brackets.getBegin();
2257   if (getLangOpts().CPlusPlus) {
2258     // C++ [dcl.array]p1:
2259     //   T is called the array element type; this type shall not be a reference
2260     //   type, the (possibly cv-qualified) type void, a function type or an
2261     //   abstract class type.
2262     //
2263     // C++ [dcl.array]p3:
2264     //   When several "array of" specifications are adjacent, [...] only the
2265     //   first of the constant expressions that specify the bounds of the arrays
2266     //   may be omitted.
2267     //
2268     // Note: function types are handled in the common path with C.
2269     if (T->isReferenceType()) {
2270       Diag(Loc, diag::err_illegal_decl_array_of_references)
2271       << getPrintableNameForEntity(Entity) << T;
2272       return QualType();
2273     }
2274 
2275     if (T->isVoidType() || T->isIncompleteArrayType()) {
2276       Diag(Loc, diag::err_array_incomplete_or_sizeless_type) << 0 << T;
2277       return QualType();
2278     }
2279 
2280     if (RequireNonAbstractType(Brackets.getBegin(), T,
2281                                diag::err_array_of_abstract_type))
2282       return QualType();
2283 
2284     // Mentioning a member pointer type for an array type causes us to lock in
2285     // an inheritance model, even if it's inside an unused typedef.
2286     if (Context.getTargetInfo().getCXXABI().isMicrosoft())
2287       if (const MemberPointerType *MPTy = T->getAs<MemberPointerType>())
2288         if (!MPTy->getClass()->isDependentType())
2289           (void)isCompleteType(Loc, T);
2290 
2291   } else {
2292     // C99 6.7.5.2p1: If the element type is an incomplete or function type,
2293     // reject it (e.g. void ary[7], struct foo ary[7], void ary[7]())
2294     if (RequireCompleteSizedType(Loc, T,
2295                                  diag::err_array_incomplete_or_sizeless_type))
2296       return QualType();
2297   }
2298 
2299   if (T->isSizelessType()) {
2300     Diag(Loc, diag::err_array_incomplete_or_sizeless_type) << 1 << T;
2301     return QualType();
2302   }
2303 
2304   if (T->isFunctionType()) {
2305     Diag(Loc, diag::err_illegal_decl_array_of_functions)
2306       << getPrintableNameForEntity(Entity) << T;
2307     return QualType();
2308   }
2309 
2310   if (const RecordType *EltTy = T->getAs<RecordType>()) {
2311     // If the element type is a struct or union that contains a variadic
2312     // array, accept it as a GNU extension: C99 6.7.2.1p2.
2313     if (EltTy->getDecl()->hasFlexibleArrayMember())
2314       Diag(Loc, diag::ext_flexible_array_in_array) << T;
2315   } else if (T->isObjCObjectType()) {
2316     Diag(Loc, diag::err_objc_array_of_interfaces) << T;
2317     return QualType();
2318   }
2319 
2320   // Do placeholder conversions on the array size expression.
2321   if (ArraySize && ArraySize->hasPlaceholderType()) {
2322     ExprResult Result = CheckPlaceholderExpr(ArraySize);
2323     if (Result.isInvalid()) return QualType();
2324     ArraySize = Result.get();
2325   }
2326 
2327   // Do lvalue-to-rvalue conversions on the array size expression.
2328   if (ArraySize && !ArraySize->isRValue()) {
2329     ExprResult Result = DefaultLvalueConversion(ArraySize);
2330     if (Result.isInvalid())
2331       return QualType();
2332 
2333     ArraySize = Result.get();
2334   }
2335 
2336   // C99 6.7.5.2p1: The size expression shall have integer type.
2337   // C++11 allows contextual conversions to such types.
2338   if (!getLangOpts().CPlusPlus11 &&
2339       ArraySize && !ArraySize->isTypeDependent() &&
2340       !ArraySize->getType()->isIntegralOrUnscopedEnumerationType()) {
2341     Diag(ArraySize->getBeginLoc(), diag::err_array_size_non_int)
2342         << ArraySize->getType() << ArraySize->getSourceRange();
2343     return QualType();
2344   }
2345 
2346   llvm::APSInt ConstVal(Context.getTypeSize(Context.getSizeType()));
2347   if (!ArraySize) {
2348     if (ASM == ArrayType::Star)
2349       T = Context.getVariableArrayType(T, nullptr, ASM, Quals, Brackets);
2350     else
2351       T = Context.getIncompleteArrayType(T, ASM, Quals);
2352   } else if (ArraySize->isTypeDependent() || ArraySize->isValueDependent()) {
2353     T = Context.getDependentSizedArrayType(T, ArraySize, ASM, Quals, Brackets);
2354   } else if ((!T->isDependentType() && !T->isIncompleteType() &&
2355               !T->isConstantSizeType()) ||
2356              isArraySizeVLA(*this, ArraySize, ConstVal)) {
2357     // Even in C++11, don't allow contextual conversions in the array bound
2358     // of a VLA.
2359     if (getLangOpts().CPlusPlus11 &&
2360         !ArraySize->getType()->isIntegralOrUnscopedEnumerationType()) {
2361       Diag(ArraySize->getBeginLoc(), diag::err_array_size_non_int)
2362           << ArraySize->getType() << ArraySize->getSourceRange();
2363       return QualType();
2364     }
2365 
2366     // C99: an array with an element type that has a non-constant-size is a VLA.
2367     // C99: an array with a non-ICE size is a VLA.  We accept any expression
2368     // that we can fold to a non-zero positive value as an extension.
2369     T = Context.getVariableArrayType(T, ArraySize, ASM, Quals, Brackets);
2370   } else {
2371     // C99 6.7.5.2p1: If the expression is a constant expression, it shall
2372     // have a value greater than zero.
2373     if (ConstVal.isSigned() && ConstVal.isNegative()) {
2374       if (Entity)
2375         Diag(ArraySize->getBeginLoc(), diag::err_decl_negative_array_size)
2376             << getPrintableNameForEntity(Entity) << ArraySize->getSourceRange();
2377       else
2378         Diag(ArraySize->getBeginLoc(), diag::err_typecheck_negative_array_size)
2379             << ArraySize->getSourceRange();
2380       return QualType();
2381     }
2382     if (ConstVal == 0) {
2383       // GCC accepts zero sized static arrays. We allow them when
2384       // we're not in a SFINAE context.
2385       Diag(ArraySize->getBeginLoc(), isSFINAEContext()
2386                                          ? diag::err_typecheck_zero_array_size
2387                                          : diag::ext_typecheck_zero_array_size)
2388           << ArraySize->getSourceRange();
2389 
2390       if (ASM == ArrayType::Static) {
2391         Diag(ArraySize->getBeginLoc(),
2392              diag::warn_typecheck_zero_static_array_size)
2393             << ArraySize->getSourceRange();
2394         ASM = ArrayType::Normal;
2395       }
2396     } else if (!T->isDependentType() && !T->isVariablyModifiedType() &&
2397                !T->isIncompleteType() && !T->isUndeducedType()) {
2398       // Is the array too large?
2399       unsigned ActiveSizeBits
2400         = ConstantArrayType::getNumAddressingBits(Context, T, ConstVal);
2401       if (ActiveSizeBits > ConstantArrayType::getMaxSizeBits(Context)) {
2402         Diag(ArraySize->getBeginLoc(), diag::err_array_too_large)
2403             << ConstVal.toString(10) << ArraySize->getSourceRange();
2404         return QualType();
2405       }
2406     }
2407 
2408     T = Context.getConstantArrayType(T, ConstVal, ArraySize, ASM, Quals);
2409   }
2410 
2411   // OpenCL v1.2 s6.9.d: variable length arrays are not supported.
2412   if (getLangOpts().OpenCL && T->isVariableArrayType()) {
2413     Diag(Loc, diag::err_opencl_vla);
2414     return QualType();
2415   }
2416 
2417   if (T->isVariableArrayType() && !Context.getTargetInfo().isVLASupported()) {
2418     // CUDA device code and some other targets don't support VLAs.
2419     targetDiag(Loc, (getLangOpts().CUDA && getLangOpts().CUDAIsDevice)
2420                         ? diag::err_cuda_vla
2421                         : diag::err_vla_unsupported)
2422         << ((getLangOpts().CUDA && getLangOpts().CUDAIsDevice)
2423                 ? CurrentCUDATarget()
2424                 : CFT_InvalidTarget);
2425   }
2426 
2427   // If this is not C99, extwarn about VLA's and C99 array size modifiers.
2428   if (!getLangOpts().C99) {
2429     if (T->isVariableArrayType()) {
2430       // Prohibit the use of VLAs during template argument deduction.
2431       if (isSFINAEContext()) {
2432         Diag(Loc, diag::err_vla_in_sfinae);
2433         return QualType();
2434       }
2435       // Just extwarn about VLAs.
2436       else
2437         Diag(Loc, diag::ext_vla);
2438     } else if (ASM != ArrayType::Normal || Quals != 0)
2439       Diag(Loc,
2440            getLangOpts().CPlusPlus? diag::err_c99_array_usage_cxx
2441                                   : diag::ext_c99_array_usage) << ASM;
2442   }
2443 
2444   if (T->isVariableArrayType()) {
2445     // Warn about VLAs for -Wvla.
2446     Diag(Loc, diag::warn_vla_used);
2447   }
2448 
2449   // OpenCL v2.0 s6.12.5 - Arrays of blocks are not supported.
2450   // OpenCL v2.0 s6.16.13.1 - Arrays of pipe type are not supported.
2451   // OpenCL v2.0 s6.9.b - Arrays of image/sampler type are not supported.
2452   if (getLangOpts().OpenCL) {
2453     const QualType ArrType = Context.getBaseElementType(T);
2454     if (ArrType->isBlockPointerType() || ArrType->isPipeType() ||
2455         ArrType->isSamplerT() || ArrType->isImageType()) {
2456       Diag(Loc, diag::err_opencl_invalid_type_array) << ArrType;
2457       return QualType();
2458     }
2459   }
2460 
2461   return T;
2462 }
2463 
2464 QualType Sema::BuildVectorType(QualType CurType, Expr *SizeExpr,
2465                                SourceLocation AttrLoc) {
2466   // The base type must be integer (not Boolean or enumeration) or float, and
2467   // can't already be a vector.
2468   if (!CurType->isDependentType() &&
2469       (!CurType->isBuiltinType() || CurType->isBooleanType() ||
2470        (!CurType->isIntegerType() && !CurType->isRealFloatingType()))) {
2471     Diag(AttrLoc, diag::err_attribute_invalid_vector_type) << CurType;
2472     return QualType();
2473   }
2474 
2475   if (SizeExpr->isTypeDependent() || SizeExpr->isValueDependent())
2476     return Context.getDependentVectorType(CurType, SizeExpr, AttrLoc,
2477                                                VectorType::GenericVector);
2478 
2479   llvm::APSInt VecSize(32);
2480   if (!SizeExpr->isIntegerConstantExpr(VecSize, Context)) {
2481     Diag(AttrLoc, diag::err_attribute_argument_type)
2482         << "vector_size" << AANT_ArgumentIntegerConstant
2483         << SizeExpr->getSourceRange();
2484     return QualType();
2485   }
2486 
2487   if (CurType->isDependentType())
2488     return Context.getDependentVectorType(CurType, SizeExpr, AttrLoc,
2489                                                VectorType::GenericVector);
2490 
2491   // vecSize is specified in bytes - convert to bits.
2492   if (!VecSize.isIntN(61)) {
2493     // Bit size will overflow uint64.
2494     Diag(AttrLoc, diag::err_attribute_size_too_large)
2495         << SizeExpr->getSourceRange() << "vector";
2496     return QualType();
2497   }
2498   uint64_t VectorSizeBits = VecSize.getZExtValue() * 8;
2499   unsigned TypeSize = static_cast<unsigned>(Context.getTypeSize(CurType));
2500 
2501   if (VectorSizeBits == 0) {
2502     Diag(AttrLoc, diag::err_attribute_zero_size)
2503         << SizeExpr->getSourceRange() << "vector";
2504     return QualType();
2505   }
2506 
2507   if (VectorSizeBits % TypeSize) {
2508     Diag(AttrLoc, diag::err_attribute_invalid_size)
2509         << SizeExpr->getSourceRange();
2510     return QualType();
2511   }
2512 
2513   if (VectorSizeBits / TypeSize > std::numeric_limits<uint32_t>::max()) {
2514     Diag(AttrLoc, diag::err_attribute_size_too_large)
2515         << SizeExpr->getSourceRange() << "vector";
2516     return QualType();
2517   }
2518 
2519   return Context.getVectorType(CurType, VectorSizeBits / TypeSize,
2520                                VectorType::GenericVector);
2521 }
2522 
2523 /// Build an ext-vector type.
2524 ///
2525 /// Run the required checks for the extended vector type.
2526 QualType Sema::BuildExtVectorType(QualType T, Expr *ArraySize,
2527                                   SourceLocation AttrLoc) {
2528   // Unlike gcc's vector_size attribute, we do not allow vectors to be defined
2529   // in conjunction with complex types (pointers, arrays, functions, etc.).
2530   //
2531   // Additionally, OpenCL prohibits vectors of booleans (they're considered a
2532   // reserved data type under OpenCL v2.0 s6.1.4), we don't support selects
2533   // on bitvectors, and we have no well-defined ABI for bitvectors, so vectors
2534   // of bool aren't allowed.
2535   if ((!T->isDependentType() && !T->isIntegerType() &&
2536        !T->isRealFloatingType()) ||
2537       T->isBooleanType()) {
2538     Diag(AttrLoc, diag::err_attribute_invalid_vector_type) << T;
2539     return QualType();
2540   }
2541 
2542   if (!ArraySize->isTypeDependent() && !ArraySize->isValueDependent()) {
2543     llvm::APSInt vecSize(32);
2544     if (!ArraySize->isIntegerConstantExpr(vecSize, Context)) {
2545       Diag(AttrLoc, diag::err_attribute_argument_type)
2546         << "ext_vector_type" << AANT_ArgumentIntegerConstant
2547         << ArraySize->getSourceRange();
2548       return QualType();
2549     }
2550 
2551     if (!vecSize.isIntN(32)) {
2552       Diag(AttrLoc, diag::err_attribute_size_too_large)
2553           << ArraySize->getSourceRange() << "vector";
2554       return QualType();
2555     }
2556     // Unlike gcc's vector_size attribute, the size is specified as the
2557     // number of elements, not the number of bytes.
2558     unsigned vectorSize = static_cast<unsigned>(vecSize.getZExtValue());
2559 
2560     if (vectorSize == 0) {
2561       Diag(AttrLoc, diag::err_attribute_zero_size)
2562           << ArraySize->getSourceRange() << "vector";
2563       return QualType();
2564     }
2565 
2566     return Context.getExtVectorType(T, vectorSize);
2567   }
2568 
2569   return Context.getDependentSizedExtVectorType(T, ArraySize, AttrLoc);
2570 }
2571 
2572 QualType Sema::BuildMatrixType(QualType ElementTy, Expr *NumRows, Expr *NumCols,
2573                                SourceLocation AttrLoc) {
2574   assert(Context.getLangOpts().MatrixTypes &&
2575          "Should never build a matrix type when it is disabled");
2576 
2577   // Check element type, if it is not dependent.
2578   if (!ElementTy->isDependentType() &&
2579       !MatrixType::isValidElementType(ElementTy)) {
2580     Diag(AttrLoc, diag::err_attribute_invalid_matrix_type) << ElementTy;
2581     return QualType();
2582   }
2583 
2584   if (NumRows->isTypeDependent() || NumCols->isTypeDependent() ||
2585       NumRows->isValueDependent() || NumCols->isValueDependent())
2586     return Context.getDependentSizedMatrixType(ElementTy, NumRows, NumCols,
2587                                                AttrLoc);
2588 
2589   // Both row and column values can only be 20 bit wide currently.
2590   llvm::APSInt ValueRows(32), ValueColumns(32);
2591 
2592   bool const RowsIsInteger = NumRows->isIntegerConstantExpr(ValueRows, Context);
2593   bool const ColumnsIsInteger =
2594       NumCols->isIntegerConstantExpr(ValueColumns, Context);
2595 
2596   auto const RowRange = NumRows->getSourceRange();
2597   auto const ColRange = NumCols->getSourceRange();
2598 
2599   // Both are row and column expressions are invalid.
2600   if (!RowsIsInteger && !ColumnsIsInteger) {
2601     Diag(AttrLoc, diag::err_attribute_argument_type)
2602         << "matrix_type" << AANT_ArgumentIntegerConstant << RowRange
2603         << ColRange;
2604     return QualType();
2605   }
2606 
2607   // Only the row expression is invalid.
2608   if (!RowsIsInteger) {
2609     Diag(AttrLoc, diag::err_attribute_argument_type)
2610         << "matrix_type" << AANT_ArgumentIntegerConstant << RowRange;
2611     return QualType();
2612   }
2613 
2614   // Only the column expression is invalid.
2615   if (!ColumnsIsInteger) {
2616     Diag(AttrLoc, diag::err_attribute_argument_type)
2617         << "matrix_type" << AANT_ArgumentIntegerConstant << ColRange;
2618     return QualType();
2619   }
2620 
2621   // Check the matrix dimensions.
2622   unsigned MatrixRows = static_cast<unsigned>(ValueRows.getZExtValue());
2623   unsigned MatrixColumns = static_cast<unsigned>(ValueColumns.getZExtValue());
2624   if (MatrixRows == 0 && MatrixColumns == 0) {
2625     Diag(AttrLoc, diag::err_attribute_zero_size)
2626         << "matrix" << RowRange << ColRange;
2627     return QualType();
2628   }
2629   if (MatrixRows == 0) {
2630     Diag(AttrLoc, diag::err_attribute_zero_size) << "matrix" << RowRange;
2631     return QualType();
2632   }
2633   if (MatrixColumns == 0) {
2634     Diag(AttrLoc, diag::err_attribute_zero_size) << "matrix" << ColRange;
2635     return QualType();
2636   }
2637   if (!ConstantMatrixType::isDimensionValid(MatrixRows)) {
2638     Diag(AttrLoc, diag::err_attribute_size_too_large)
2639         << RowRange << "matrix row";
2640     return QualType();
2641   }
2642   if (!ConstantMatrixType::isDimensionValid(MatrixColumns)) {
2643     Diag(AttrLoc, diag::err_attribute_size_too_large)
2644         << ColRange << "matrix column";
2645     return QualType();
2646   }
2647   return Context.getConstantMatrixType(ElementTy, MatrixRows, MatrixColumns);
2648 }
2649 
2650 bool Sema::CheckFunctionReturnType(QualType T, SourceLocation Loc) {
2651   if (T->isArrayType() || T->isFunctionType()) {
2652     Diag(Loc, diag::err_func_returning_array_function)
2653       << T->isFunctionType() << T;
2654     return true;
2655   }
2656 
2657   // Functions cannot return half FP.
2658   if (T->isHalfType() && !getLangOpts().HalfArgsAndReturns) {
2659     Diag(Loc, diag::err_parameters_retval_cannot_have_fp16_type) << 1 <<
2660       FixItHint::CreateInsertion(Loc, "*");
2661     return true;
2662   }
2663 
2664   // Methods cannot return interface types. All ObjC objects are
2665   // passed by reference.
2666   if (T->isObjCObjectType()) {
2667     Diag(Loc, diag::err_object_cannot_be_passed_returned_by_value)
2668         << 0 << T << FixItHint::CreateInsertion(Loc, "*");
2669     return true;
2670   }
2671 
2672   if (T.hasNonTrivialToPrimitiveDestructCUnion() ||
2673       T.hasNonTrivialToPrimitiveCopyCUnion())
2674     checkNonTrivialCUnion(T, Loc, NTCUC_FunctionReturn,
2675                           NTCUK_Destruct|NTCUK_Copy);
2676 
2677   // C++2a [dcl.fct]p12:
2678   //   A volatile-qualified return type is deprecated
2679   if (T.isVolatileQualified() && getLangOpts().CPlusPlus20)
2680     Diag(Loc, diag::warn_deprecated_volatile_return) << T;
2681 
2682   return false;
2683 }
2684 
2685 /// Check the extended parameter information.  Most of the necessary
2686 /// checking should occur when applying the parameter attribute; the
2687 /// only other checks required are positional restrictions.
2688 static void checkExtParameterInfos(Sema &S, ArrayRef<QualType> paramTypes,
2689                     const FunctionProtoType::ExtProtoInfo &EPI,
2690                     llvm::function_ref<SourceLocation(unsigned)> getParamLoc) {
2691   assert(EPI.ExtParameterInfos && "shouldn't get here without param infos");
2692 
2693   bool hasCheckedSwiftCall = false;
2694   auto checkForSwiftCC = [&](unsigned paramIndex) {
2695     // Only do this once.
2696     if (hasCheckedSwiftCall) return;
2697     hasCheckedSwiftCall = true;
2698     if (EPI.ExtInfo.getCC() == CC_Swift) return;
2699     S.Diag(getParamLoc(paramIndex), diag::err_swift_param_attr_not_swiftcall)
2700       << getParameterABISpelling(EPI.ExtParameterInfos[paramIndex].getABI());
2701   };
2702 
2703   for (size_t paramIndex = 0, numParams = paramTypes.size();
2704           paramIndex != numParams; ++paramIndex) {
2705     switch (EPI.ExtParameterInfos[paramIndex].getABI()) {
2706     // Nothing interesting to check for orindary-ABI parameters.
2707     case ParameterABI::Ordinary:
2708       continue;
2709 
2710     // swift_indirect_result parameters must be a prefix of the function
2711     // arguments.
2712     case ParameterABI::SwiftIndirectResult:
2713       checkForSwiftCC(paramIndex);
2714       if (paramIndex != 0 &&
2715           EPI.ExtParameterInfos[paramIndex - 1].getABI()
2716             != ParameterABI::SwiftIndirectResult) {
2717         S.Diag(getParamLoc(paramIndex),
2718                diag::err_swift_indirect_result_not_first);
2719       }
2720       continue;
2721 
2722     case ParameterABI::SwiftContext:
2723       checkForSwiftCC(paramIndex);
2724       continue;
2725 
2726     // swift_error parameters must be preceded by a swift_context parameter.
2727     case ParameterABI::SwiftErrorResult:
2728       checkForSwiftCC(paramIndex);
2729       if (paramIndex == 0 ||
2730           EPI.ExtParameterInfos[paramIndex - 1].getABI() !=
2731               ParameterABI::SwiftContext) {
2732         S.Diag(getParamLoc(paramIndex),
2733                diag::err_swift_error_result_not_after_swift_context);
2734       }
2735       continue;
2736     }
2737     llvm_unreachable("bad ABI kind");
2738   }
2739 }
2740 
2741 QualType Sema::BuildFunctionType(QualType T,
2742                                  MutableArrayRef<QualType> ParamTypes,
2743                                  SourceLocation Loc, DeclarationName Entity,
2744                                  const FunctionProtoType::ExtProtoInfo &EPI) {
2745   bool Invalid = false;
2746 
2747   Invalid |= CheckFunctionReturnType(T, Loc);
2748 
2749   for (unsigned Idx = 0, Cnt = ParamTypes.size(); Idx < Cnt; ++Idx) {
2750     // FIXME: Loc is too inprecise here, should use proper locations for args.
2751     QualType ParamType = Context.getAdjustedParameterType(ParamTypes[Idx]);
2752     if (ParamType->isVoidType()) {
2753       Diag(Loc, diag::err_param_with_void_type);
2754       Invalid = true;
2755     } else if (ParamType->isHalfType() && !getLangOpts().HalfArgsAndReturns) {
2756       // Disallow half FP arguments.
2757       Diag(Loc, diag::err_parameters_retval_cannot_have_fp16_type) << 0 <<
2758         FixItHint::CreateInsertion(Loc, "*");
2759       Invalid = true;
2760     }
2761 
2762     // C++2a [dcl.fct]p4:
2763     //   A parameter with volatile-qualified type is deprecated
2764     if (ParamType.isVolatileQualified() && getLangOpts().CPlusPlus20)
2765       Diag(Loc, diag::warn_deprecated_volatile_param) << ParamType;
2766 
2767     ParamTypes[Idx] = ParamType;
2768   }
2769 
2770   if (EPI.ExtParameterInfos) {
2771     checkExtParameterInfos(*this, ParamTypes, EPI,
2772                            [=](unsigned i) { return Loc; });
2773   }
2774 
2775   if (EPI.ExtInfo.getProducesResult()) {
2776     // This is just a warning, so we can't fail to build if we see it.
2777     checkNSReturnsRetainedReturnType(Loc, T);
2778   }
2779 
2780   if (Invalid)
2781     return QualType();
2782 
2783   return Context.getFunctionType(T, ParamTypes, EPI);
2784 }
2785 
2786 /// Build a member pointer type \c T Class::*.
2787 ///
2788 /// \param T the type to which the member pointer refers.
2789 /// \param Class the class type into which the member pointer points.
2790 /// \param Loc the location where this type begins
2791 /// \param Entity the name of the entity that will have this member pointer type
2792 ///
2793 /// \returns a member pointer type, if successful, or a NULL type if there was
2794 /// an error.
2795 QualType Sema::BuildMemberPointerType(QualType T, QualType Class,
2796                                       SourceLocation Loc,
2797                                       DeclarationName Entity) {
2798   // Verify that we're not building a pointer to pointer to function with
2799   // exception specification.
2800   if (CheckDistantExceptionSpec(T)) {
2801     Diag(Loc, diag::err_distant_exception_spec);
2802     return QualType();
2803   }
2804 
2805   // C++ 8.3.3p3: A pointer to member shall not point to ... a member
2806   //   with reference type, or "cv void."
2807   if (T->isReferenceType()) {
2808     Diag(Loc, diag::err_illegal_decl_mempointer_to_reference)
2809       << getPrintableNameForEntity(Entity) << T;
2810     return QualType();
2811   }
2812 
2813   if (T->isVoidType()) {
2814     Diag(Loc, diag::err_illegal_decl_mempointer_to_void)
2815       << getPrintableNameForEntity(Entity);
2816     return QualType();
2817   }
2818 
2819   if (!Class->isDependentType() && !Class->isRecordType()) {
2820     Diag(Loc, diag::err_mempointer_in_nonclass_type) << Class;
2821     return QualType();
2822   }
2823 
2824   // Adjust the default free function calling convention to the default method
2825   // calling convention.
2826   bool IsCtorOrDtor =
2827       (Entity.getNameKind() == DeclarationName::CXXConstructorName) ||
2828       (Entity.getNameKind() == DeclarationName::CXXDestructorName);
2829   if (T->isFunctionType())
2830     adjustMemberFunctionCC(T, /*IsStatic=*/false, IsCtorOrDtor, Loc);
2831 
2832   return Context.getMemberPointerType(T, Class.getTypePtr());
2833 }
2834 
2835 /// Build a block pointer type.
2836 ///
2837 /// \param T The type to which we'll be building a block pointer.
2838 ///
2839 /// \param Loc The source location, used for diagnostics.
2840 ///
2841 /// \param Entity The name of the entity that involves the block pointer
2842 /// type, if known.
2843 ///
2844 /// \returns A suitable block pointer type, if there are no
2845 /// errors. Otherwise, returns a NULL type.
2846 QualType Sema::BuildBlockPointerType(QualType T,
2847                                      SourceLocation Loc,
2848                                      DeclarationName Entity) {
2849   if (!T->isFunctionType()) {
2850     Diag(Loc, diag::err_nonfunction_block_type);
2851     return QualType();
2852   }
2853 
2854   if (checkQualifiedFunction(*this, T, Loc, QFK_BlockPointer))
2855     return QualType();
2856 
2857   if (getLangOpts().OpenCL)
2858     T = deduceOpenCLPointeeAddrSpace(*this, T);
2859 
2860   return Context.getBlockPointerType(T);
2861 }
2862 
2863 QualType Sema::GetTypeFromParser(ParsedType Ty, TypeSourceInfo **TInfo) {
2864   QualType QT = Ty.get();
2865   if (QT.isNull()) {
2866     if (TInfo) *TInfo = nullptr;
2867     return QualType();
2868   }
2869 
2870   TypeSourceInfo *DI = nullptr;
2871   if (const LocInfoType *LIT = dyn_cast<LocInfoType>(QT)) {
2872     QT = LIT->getType();
2873     DI = LIT->getTypeSourceInfo();
2874   }
2875 
2876   if (TInfo) *TInfo = DI;
2877   return QT;
2878 }
2879 
2880 static void transferARCOwnershipToDeclaratorChunk(TypeProcessingState &state,
2881                                             Qualifiers::ObjCLifetime ownership,
2882                                             unsigned chunkIndex);
2883 
2884 /// Given that this is the declaration of a parameter under ARC,
2885 /// attempt to infer attributes and such for pointer-to-whatever
2886 /// types.
2887 static void inferARCWriteback(TypeProcessingState &state,
2888                               QualType &declSpecType) {
2889   Sema &S = state.getSema();
2890   Declarator &declarator = state.getDeclarator();
2891 
2892   // TODO: should we care about decl qualifiers?
2893 
2894   // Check whether the declarator has the expected form.  We walk
2895   // from the inside out in order to make the block logic work.
2896   unsigned outermostPointerIndex = 0;
2897   bool isBlockPointer = false;
2898   unsigned numPointers = 0;
2899   for (unsigned i = 0, e = declarator.getNumTypeObjects(); i != e; ++i) {
2900     unsigned chunkIndex = i;
2901     DeclaratorChunk &chunk = declarator.getTypeObject(chunkIndex);
2902     switch (chunk.Kind) {
2903     case DeclaratorChunk::Paren:
2904       // Ignore parens.
2905       break;
2906 
2907     case DeclaratorChunk::Reference:
2908     case DeclaratorChunk::Pointer:
2909       // Count the number of pointers.  Treat references
2910       // interchangeably as pointers; if they're mis-ordered, normal
2911       // type building will discover that.
2912       outermostPointerIndex = chunkIndex;
2913       numPointers++;
2914       break;
2915 
2916     case DeclaratorChunk::BlockPointer:
2917       // If we have a pointer to block pointer, that's an acceptable
2918       // indirect reference; anything else is not an application of
2919       // the rules.
2920       if (numPointers != 1) return;
2921       numPointers++;
2922       outermostPointerIndex = chunkIndex;
2923       isBlockPointer = true;
2924 
2925       // We don't care about pointer structure in return values here.
2926       goto done;
2927 
2928     case DeclaratorChunk::Array: // suppress if written (id[])?
2929     case DeclaratorChunk::Function:
2930     case DeclaratorChunk::MemberPointer:
2931     case DeclaratorChunk::Pipe:
2932       return;
2933     }
2934   }
2935  done:
2936 
2937   // If we have *one* pointer, then we want to throw the qualifier on
2938   // the declaration-specifiers, which means that it needs to be a
2939   // retainable object type.
2940   if (numPointers == 1) {
2941     // If it's not a retainable object type, the rule doesn't apply.
2942     if (!declSpecType->isObjCRetainableType()) return;
2943 
2944     // If it already has lifetime, don't do anything.
2945     if (declSpecType.getObjCLifetime()) return;
2946 
2947     // Otherwise, modify the type in-place.
2948     Qualifiers qs;
2949 
2950     if (declSpecType->isObjCARCImplicitlyUnretainedType())
2951       qs.addObjCLifetime(Qualifiers::OCL_ExplicitNone);
2952     else
2953       qs.addObjCLifetime(Qualifiers::OCL_Autoreleasing);
2954     declSpecType = S.Context.getQualifiedType(declSpecType, qs);
2955 
2956   // If we have *two* pointers, then we want to throw the qualifier on
2957   // the outermost pointer.
2958   } else if (numPointers == 2) {
2959     // If we don't have a block pointer, we need to check whether the
2960     // declaration-specifiers gave us something that will turn into a
2961     // retainable object pointer after we slap the first pointer on it.
2962     if (!isBlockPointer && !declSpecType->isObjCObjectType())
2963       return;
2964 
2965     // Look for an explicit lifetime attribute there.
2966     DeclaratorChunk &chunk = declarator.getTypeObject(outermostPointerIndex);
2967     if (chunk.Kind != DeclaratorChunk::Pointer &&
2968         chunk.Kind != DeclaratorChunk::BlockPointer)
2969       return;
2970     for (const ParsedAttr &AL : chunk.getAttrs())
2971       if (AL.getKind() == ParsedAttr::AT_ObjCOwnership)
2972         return;
2973 
2974     transferARCOwnershipToDeclaratorChunk(state, Qualifiers::OCL_Autoreleasing,
2975                                           outermostPointerIndex);
2976 
2977   // Any other number of pointers/references does not trigger the rule.
2978   } else return;
2979 
2980   // TODO: mark whether we did this inference?
2981 }
2982 
2983 void Sema::diagnoseIgnoredQualifiers(unsigned DiagID, unsigned Quals,
2984                                      SourceLocation FallbackLoc,
2985                                      SourceLocation ConstQualLoc,
2986                                      SourceLocation VolatileQualLoc,
2987                                      SourceLocation RestrictQualLoc,
2988                                      SourceLocation AtomicQualLoc,
2989                                      SourceLocation UnalignedQualLoc) {
2990   if (!Quals)
2991     return;
2992 
2993   struct Qual {
2994     const char *Name;
2995     unsigned Mask;
2996     SourceLocation Loc;
2997   } const QualKinds[5] = {
2998     { "const", DeclSpec::TQ_const, ConstQualLoc },
2999     { "volatile", DeclSpec::TQ_volatile, VolatileQualLoc },
3000     { "restrict", DeclSpec::TQ_restrict, RestrictQualLoc },
3001     { "__unaligned", DeclSpec::TQ_unaligned, UnalignedQualLoc },
3002     { "_Atomic", DeclSpec::TQ_atomic, AtomicQualLoc }
3003   };
3004 
3005   SmallString<32> QualStr;
3006   unsigned NumQuals = 0;
3007   SourceLocation Loc;
3008   FixItHint FixIts[5];
3009 
3010   // Build a string naming the redundant qualifiers.
3011   for (auto &E : QualKinds) {
3012     if (Quals & E.Mask) {
3013       if (!QualStr.empty()) QualStr += ' ';
3014       QualStr += E.Name;
3015 
3016       // If we have a location for the qualifier, offer a fixit.
3017       SourceLocation QualLoc = E.Loc;
3018       if (QualLoc.isValid()) {
3019         FixIts[NumQuals] = FixItHint::CreateRemoval(QualLoc);
3020         if (Loc.isInvalid() ||
3021             getSourceManager().isBeforeInTranslationUnit(QualLoc, Loc))
3022           Loc = QualLoc;
3023       }
3024 
3025       ++NumQuals;
3026     }
3027   }
3028 
3029   Diag(Loc.isInvalid() ? FallbackLoc : Loc, DiagID)
3030     << QualStr << NumQuals << FixIts[0] << FixIts[1] << FixIts[2] << FixIts[3];
3031 }
3032 
3033 // Diagnose pointless type qualifiers on the return type of a function.
3034 static void diagnoseRedundantReturnTypeQualifiers(Sema &S, QualType RetTy,
3035                                                   Declarator &D,
3036                                                   unsigned FunctionChunkIndex) {
3037   if (D.getTypeObject(FunctionChunkIndex).Fun.hasTrailingReturnType()) {
3038     // FIXME: TypeSourceInfo doesn't preserve location information for
3039     // qualifiers.
3040     S.diagnoseIgnoredQualifiers(diag::warn_qual_return_type,
3041                                 RetTy.getLocalCVRQualifiers(),
3042                                 D.getIdentifierLoc());
3043     return;
3044   }
3045 
3046   for (unsigned OuterChunkIndex = FunctionChunkIndex + 1,
3047                 End = D.getNumTypeObjects();
3048        OuterChunkIndex != End; ++OuterChunkIndex) {
3049     DeclaratorChunk &OuterChunk = D.getTypeObject(OuterChunkIndex);
3050     switch (OuterChunk.Kind) {
3051     case DeclaratorChunk::Paren:
3052       continue;
3053 
3054     case DeclaratorChunk::Pointer: {
3055       DeclaratorChunk::PointerTypeInfo &PTI = OuterChunk.Ptr;
3056       S.diagnoseIgnoredQualifiers(
3057           diag::warn_qual_return_type,
3058           PTI.TypeQuals,
3059           SourceLocation(),
3060           SourceLocation::getFromRawEncoding(PTI.ConstQualLoc),
3061           SourceLocation::getFromRawEncoding(PTI.VolatileQualLoc),
3062           SourceLocation::getFromRawEncoding(PTI.RestrictQualLoc),
3063           SourceLocation::getFromRawEncoding(PTI.AtomicQualLoc),
3064           SourceLocation::getFromRawEncoding(PTI.UnalignedQualLoc));
3065       return;
3066     }
3067 
3068     case DeclaratorChunk::Function:
3069     case DeclaratorChunk::BlockPointer:
3070     case DeclaratorChunk::Reference:
3071     case DeclaratorChunk::Array:
3072     case DeclaratorChunk::MemberPointer:
3073     case DeclaratorChunk::Pipe:
3074       // FIXME: We can't currently provide an accurate source location and a
3075       // fix-it hint for these.
3076       unsigned AtomicQual = RetTy->isAtomicType() ? DeclSpec::TQ_atomic : 0;
3077       S.diagnoseIgnoredQualifiers(diag::warn_qual_return_type,
3078                                   RetTy.getCVRQualifiers() | AtomicQual,
3079                                   D.getIdentifierLoc());
3080       return;
3081     }
3082 
3083     llvm_unreachable("unknown declarator chunk kind");
3084   }
3085 
3086   // If the qualifiers come from a conversion function type, don't diagnose
3087   // them -- they're not necessarily redundant, since such a conversion
3088   // operator can be explicitly called as "x.operator const int()".
3089   if (D.getName().getKind() == UnqualifiedIdKind::IK_ConversionFunctionId)
3090     return;
3091 
3092   // Just parens all the way out to the decl specifiers. Diagnose any qualifiers
3093   // which are present there.
3094   S.diagnoseIgnoredQualifiers(diag::warn_qual_return_type,
3095                               D.getDeclSpec().getTypeQualifiers(),
3096                               D.getIdentifierLoc(),
3097                               D.getDeclSpec().getConstSpecLoc(),
3098                               D.getDeclSpec().getVolatileSpecLoc(),
3099                               D.getDeclSpec().getRestrictSpecLoc(),
3100                               D.getDeclSpec().getAtomicSpecLoc(),
3101                               D.getDeclSpec().getUnalignedSpecLoc());
3102 }
3103 
3104 static void CopyTypeConstraintFromAutoType(Sema &SemaRef, const AutoType *Auto,
3105                                            AutoTypeLoc AutoLoc,
3106                                            TemplateTypeParmDecl *TP,
3107                                            SourceLocation EllipsisLoc) {
3108 
3109   TemplateArgumentListInfo TAL(AutoLoc.getLAngleLoc(), AutoLoc.getRAngleLoc());
3110   for (unsigned Idx = 0; Idx < AutoLoc.getNumArgs(); ++Idx)
3111     TAL.addArgument(AutoLoc.getArgLoc(Idx));
3112 
3113   SemaRef.AttachTypeConstraint(
3114       AutoLoc.getNestedNameSpecifierLoc(), AutoLoc.getConceptNameInfo(),
3115       AutoLoc.getNamedConcept(),
3116       AutoLoc.hasExplicitTemplateArgs() ? &TAL : nullptr, TP, EllipsisLoc);
3117 }
3118 
3119 static QualType InventTemplateParameter(
3120     TypeProcessingState &state, QualType T, TypeSourceInfo *TSI, AutoType *Auto,
3121     InventedTemplateParameterInfo &Info) {
3122   Sema &S = state.getSema();
3123   Declarator &D = state.getDeclarator();
3124 
3125   const unsigned TemplateParameterDepth = Info.AutoTemplateParameterDepth;
3126   const unsigned AutoParameterPosition = Info.TemplateParams.size();
3127   const bool IsParameterPack = D.hasEllipsis();
3128 
3129   // If auto is mentioned in a lambda parameter or abbreviated function
3130   // template context, convert it to a template parameter type.
3131 
3132   // Create the TemplateTypeParmDecl here to retrieve the corresponding
3133   // template parameter type. Template parameters are temporarily added
3134   // to the TU until the associated TemplateDecl is created.
3135   TemplateTypeParmDecl *InventedTemplateParam =
3136       TemplateTypeParmDecl::Create(
3137           S.Context, S.Context.getTranslationUnitDecl(),
3138           /*KeyLoc=*/D.getDeclSpec().getTypeSpecTypeLoc(),
3139           /*NameLoc=*/D.getIdentifierLoc(),
3140           TemplateParameterDepth, AutoParameterPosition,
3141           S.InventAbbreviatedTemplateParameterTypeName(
3142               D.getIdentifier(), AutoParameterPosition), false,
3143           IsParameterPack, /*HasTypeConstraint=*/Auto->isConstrained());
3144   InventedTemplateParam->setImplicit();
3145   Info.TemplateParams.push_back(InventedTemplateParam);
3146   // Attach type constraints
3147   if (Auto->isConstrained()) {
3148     if (TSI) {
3149       CopyTypeConstraintFromAutoType(
3150           S, Auto, TSI->getTypeLoc().getContainedAutoTypeLoc(),
3151           InventedTemplateParam, D.getEllipsisLoc());
3152     } else {
3153       TemplateIdAnnotation *TemplateId = D.getDeclSpec().getRepAsTemplateId();
3154       TemplateArgumentListInfo TemplateArgsInfo;
3155       if (TemplateId->LAngleLoc.isValid()) {
3156         ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
3157                                            TemplateId->NumArgs);
3158         S.translateTemplateArguments(TemplateArgsPtr, TemplateArgsInfo);
3159       }
3160       S.AttachTypeConstraint(
3161           D.getDeclSpec().getTypeSpecScope().getWithLocInContext(S.Context),
3162           DeclarationNameInfo(DeclarationName(TemplateId->Name),
3163                               TemplateId->TemplateNameLoc),
3164           cast<ConceptDecl>(TemplateId->Template.get().getAsTemplateDecl()),
3165           TemplateId->LAngleLoc.isValid() ? &TemplateArgsInfo : nullptr,
3166           InventedTemplateParam, D.getEllipsisLoc());
3167     }
3168   }
3169 
3170   // If TSI is nullptr, this is a constrained declspec auto and the type
3171   // constraint will be attached later in TypeSpecLocFiller
3172 
3173   // Replace the 'auto' in the function parameter with this invented
3174   // template type parameter.
3175   // FIXME: Retain some type sugar to indicate that this was written
3176   //  as 'auto'?
3177   return state.ReplaceAutoType(
3178       T, QualType(InventedTemplateParam->getTypeForDecl(), 0));
3179 }
3180 
3181 static TypeSourceInfo *
3182 GetTypeSourceInfoForDeclarator(TypeProcessingState &State,
3183                                QualType T, TypeSourceInfo *ReturnTypeInfo);
3184 
3185 static QualType GetDeclSpecTypeForDeclarator(TypeProcessingState &state,
3186                                              TypeSourceInfo *&ReturnTypeInfo) {
3187   Sema &SemaRef = state.getSema();
3188   Declarator &D = state.getDeclarator();
3189   QualType T;
3190   ReturnTypeInfo = nullptr;
3191 
3192   // The TagDecl owned by the DeclSpec.
3193   TagDecl *OwnedTagDecl = nullptr;
3194 
3195   switch (D.getName().getKind()) {
3196   case UnqualifiedIdKind::IK_ImplicitSelfParam:
3197   case UnqualifiedIdKind::IK_OperatorFunctionId:
3198   case UnqualifiedIdKind::IK_Identifier:
3199   case UnqualifiedIdKind::IK_LiteralOperatorId:
3200   case UnqualifiedIdKind::IK_TemplateId:
3201     T = ConvertDeclSpecToType(state);
3202 
3203     if (!D.isInvalidType() && D.getDeclSpec().isTypeSpecOwned()) {
3204       OwnedTagDecl = cast<TagDecl>(D.getDeclSpec().getRepAsDecl());
3205       // Owned declaration is embedded in declarator.
3206       OwnedTagDecl->setEmbeddedInDeclarator(true);
3207     }
3208     break;
3209 
3210   case UnqualifiedIdKind::IK_ConstructorName:
3211   case UnqualifiedIdKind::IK_ConstructorTemplateId:
3212   case UnqualifiedIdKind::IK_DestructorName:
3213     // Constructors and destructors don't have return types. Use
3214     // "void" instead.
3215     T = SemaRef.Context.VoidTy;
3216     processTypeAttrs(state, T, TAL_DeclSpec,
3217                      D.getMutableDeclSpec().getAttributes());
3218     break;
3219 
3220   case UnqualifiedIdKind::IK_DeductionGuideName:
3221     // Deduction guides have a trailing return type and no type in their
3222     // decl-specifier sequence. Use a placeholder return type for now.
3223     T = SemaRef.Context.DependentTy;
3224     break;
3225 
3226   case UnqualifiedIdKind::IK_ConversionFunctionId:
3227     // The result type of a conversion function is the type that it
3228     // converts to.
3229     T = SemaRef.GetTypeFromParser(D.getName().ConversionFunctionId,
3230                                   &ReturnTypeInfo);
3231     break;
3232   }
3233 
3234   if (!D.getAttributes().empty())
3235     distributeTypeAttrsFromDeclarator(state, T);
3236 
3237   // C++11 [dcl.spec.auto]p5: reject 'auto' if it is not in an allowed context.
3238   if (DeducedType *Deduced = T->getContainedDeducedType()) {
3239     AutoType *Auto = dyn_cast<AutoType>(Deduced);
3240     int Error = -1;
3241 
3242     // Is this a 'auto' or 'decltype(auto)' type (as opposed to __auto_type or
3243     // class template argument deduction)?
3244     bool IsCXXAutoType =
3245         (Auto && Auto->getKeyword() != AutoTypeKeyword::GNUAutoType);
3246     bool IsDeducedReturnType = false;
3247 
3248     switch (D.getContext()) {
3249     case DeclaratorContext::LambdaExprContext:
3250       // Declared return type of a lambda-declarator is implicit and is always
3251       // 'auto'.
3252       break;
3253     case DeclaratorContext::ObjCParameterContext:
3254     case DeclaratorContext::ObjCResultContext:
3255       Error = 0;
3256       break;
3257     case DeclaratorContext::RequiresExprContext:
3258       Error = 22;
3259       break;
3260     case DeclaratorContext::PrototypeContext:
3261     case DeclaratorContext::LambdaExprParameterContext: {
3262       InventedTemplateParameterInfo *Info = nullptr;
3263       if (D.getContext() == DeclaratorContext::PrototypeContext) {
3264         // With concepts we allow 'auto' in function parameters.
3265         if (!SemaRef.getLangOpts().CPlusPlus20 || !Auto ||
3266             Auto->getKeyword() != AutoTypeKeyword::Auto) {
3267           Error = 0;
3268           break;
3269         } else if (!SemaRef.getCurScope()->isFunctionDeclarationScope()) {
3270           Error = 21;
3271           break;
3272         } else if (D.hasTrailingReturnType()) {
3273           // This might be OK, but we'll need to convert the trailing return
3274           // type later.
3275           break;
3276         }
3277 
3278         Info = &SemaRef.InventedParameterInfos.back();
3279       } else {
3280         // In C++14, generic lambdas allow 'auto' in their parameters.
3281         if (!SemaRef.getLangOpts().CPlusPlus14 || !Auto ||
3282             Auto->getKeyword() != AutoTypeKeyword::Auto) {
3283           Error = 16;
3284           break;
3285         }
3286         Info = SemaRef.getCurLambda();
3287         assert(Info && "No LambdaScopeInfo on the stack!");
3288       }
3289       T = InventTemplateParameter(state, T, nullptr, Auto, *Info);
3290       break;
3291     }
3292     case DeclaratorContext::MemberContext: {
3293       if (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_static ||
3294           D.isFunctionDeclarator())
3295         break;
3296       bool Cxx = SemaRef.getLangOpts().CPlusPlus;
3297       switch (cast<TagDecl>(SemaRef.CurContext)->getTagKind()) {
3298       case TTK_Enum: llvm_unreachable("unhandled tag kind");
3299       case TTK_Struct: Error = Cxx ? 1 : 2; /* Struct member */ break;
3300       case TTK_Union:  Error = Cxx ? 3 : 4; /* Union member */ break;
3301       case TTK_Class:  Error = 5; /* Class member */ break;
3302       case TTK_Interface: Error = 6; /* Interface member */ break;
3303       }
3304       if (D.getDeclSpec().isFriendSpecified())
3305         Error = 20; // Friend type
3306       break;
3307     }
3308     case DeclaratorContext::CXXCatchContext:
3309     case DeclaratorContext::ObjCCatchContext:
3310       Error = 7; // Exception declaration
3311       break;
3312     case DeclaratorContext::TemplateParamContext:
3313       if (isa<DeducedTemplateSpecializationType>(Deduced))
3314         Error = 19; // Template parameter
3315       else if (!SemaRef.getLangOpts().CPlusPlus17)
3316         Error = 8; // Template parameter (until C++17)
3317       break;
3318     case DeclaratorContext::BlockLiteralContext:
3319       Error = 9; // Block literal
3320       break;
3321     case DeclaratorContext::TemplateArgContext:
3322       // Within a template argument list, a deduced template specialization
3323       // type will be reinterpreted as a template template argument.
3324       if (isa<DeducedTemplateSpecializationType>(Deduced) &&
3325           !D.getNumTypeObjects() &&
3326           D.getDeclSpec().getParsedSpecifiers() == DeclSpec::PQ_TypeSpecifier)
3327         break;
3328       LLVM_FALLTHROUGH;
3329     case DeclaratorContext::TemplateTypeArgContext:
3330       Error = 10; // Template type argument
3331       break;
3332     case DeclaratorContext::AliasDeclContext:
3333     case DeclaratorContext::AliasTemplateContext:
3334       Error = 12; // Type alias
3335       break;
3336     case DeclaratorContext::TrailingReturnContext:
3337     case DeclaratorContext::TrailingReturnVarContext:
3338       if (!SemaRef.getLangOpts().CPlusPlus14 || !IsCXXAutoType)
3339         Error = 13; // Function return type
3340       IsDeducedReturnType = true;
3341       break;
3342     case DeclaratorContext::ConversionIdContext:
3343       if (!SemaRef.getLangOpts().CPlusPlus14 || !IsCXXAutoType)
3344         Error = 14; // conversion-type-id
3345       IsDeducedReturnType = true;
3346       break;
3347     case DeclaratorContext::FunctionalCastContext:
3348       if (isa<DeducedTemplateSpecializationType>(Deduced))
3349         break;
3350       LLVM_FALLTHROUGH;
3351     case DeclaratorContext::TypeNameContext:
3352       Error = 15; // Generic
3353       break;
3354     case DeclaratorContext::FileContext:
3355     case DeclaratorContext::BlockContext:
3356     case DeclaratorContext::ForContext:
3357     case DeclaratorContext::InitStmtContext:
3358     case DeclaratorContext::ConditionContext:
3359       // FIXME: P0091R3 (erroneously) does not permit class template argument
3360       // deduction in conditions, for-init-statements, and other declarations
3361       // that are not simple-declarations.
3362       break;
3363     case DeclaratorContext::CXXNewContext:
3364       // FIXME: P0091R3 does not permit class template argument deduction here,
3365       // but we follow GCC and allow it anyway.
3366       if (!IsCXXAutoType && !isa<DeducedTemplateSpecializationType>(Deduced))
3367         Error = 17; // 'new' type
3368       break;
3369     case DeclaratorContext::KNRTypeListContext:
3370       Error = 18; // K&R function parameter
3371       break;
3372     }
3373 
3374     if (D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_typedef)
3375       Error = 11;
3376 
3377     // In Objective-C it is an error to use 'auto' on a function declarator
3378     // (and everywhere for '__auto_type').
3379     if (D.isFunctionDeclarator() &&
3380         (!SemaRef.getLangOpts().CPlusPlus11 || !IsCXXAutoType))
3381       Error = 13;
3382 
3383     bool HaveTrailing = false;
3384 
3385     // C++11 [dcl.spec.auto]p2: 'auto' is always fine if the declarator
3386     // contains a trailing return type. That is only legal at the outermost
3387     // level. Check all declarator chunks (outermost first) anyway, to give
3388     // better diagnostics.
3389     // We don't support '__auto_type' with trailing return types.
3390     // FIXME: Should we only do this for 'auto' and not 'decltype(auto)'?
3391     if (SemaRef.getLangOpts().CPlusPlus11 && IsCXXAutoType &&
3392         D.hasTrailingReturnType()) {
3393       HaveTrailing = true;
3394       Error = -1;
3395     }
3396 
3397     SourceRange AutoRange = D.getDeclSpec().getTypeSpecTypeLoc();
3398     if (D.getName().getKind() == UnqualifiedIdKind::IK_ConversionFunctionId)
3399       AutoRange = D.getName().getSourceRange();
3400 
3401     if (Error != -1) {
3402       unsigned Kind;
3403       if (Auto) {
3404         switch (Auto->getKeyword()) {
3405         case AutoTypeKeyword::Auto: Kind = 0; break;
3406         case AutoTypeKeyword::DecltypeAuto: Kind = 1; break;
3407         case AutoTypeKeyword::GNUAutoType: Kind = 2; break;
3408         }
3409       } else {
3410         assert(isa<DeducedTemplateSpecializationType>(Deduced) &&
3411                "unknown auto type");
3412         Kind = 3;
3413       }
3414 
3415       auto *DTST = dyn_cast<DeducedTemplateSpecializationType>(Deduced);
3416       TemplateName TN = DTST ? DTST->getTemplateName() : TemplateName();
3417 
3418       SemaRef.Diag(AutoRange.getBegin(), diag::err_auto_not_allowed)
3419         << Kind << Error << (int)SemaRef.getTemplateNameKindForDiagnostics(TN)
3420         << QualType(Deduced, 0) << AutoRange;
3421       if (auto *TD = TN.getAsTemplateDecl())
3422         SemaRef.Diag(TD->getLocation(), diag::note_template_decl_here);
3423 
3424       T = SemaRef.Context.IntTy;
3425       D.setInvalidType(true);
3426     } else if (Auto && !HaveTrailing &&
3427                D.getContext() != DeclaratorContext::LambdaExprContext) {
3428       // If there was a trailing return type, we already got
3429       // warn_cxx98_compat_trailing_return_type in the parser.
3430       SemaRef.Diag(AutoRange.getBegin(),
3431                    D.getContext() ==
3432                            DeclaratorContext::LambdaExprParameterContext
3433                        ? diag::warn_cxx11_compat_generic_lambda
3434                        : IsDeducedReturnType
3435                              ? diag::warn_cxx11_compat_deduced_return_type
3436                              : diag::warn_cxx98_compat_auto_type_specifier)
3437           << AutoRange;
3438     }
3439   }
3440 
3441   if (SemaRef.getLangOpts().CPlusPlus &&
3442       OwnedTagDecl && OwnedTagDecl->isCompleteDefinition()) {
3443     // Check the contexts where C++ forbids the declaration of a new class
3444     // or enumeration in a type-specifier-seq.
3445     unsigned DiagID = 0;
3446     switch (D.getContext()) {
3447     case DeclaratorContext::TrailingReturnContext:
3448     case DeclaratorContext::TrailingReturnVarContext:
3449       // Class and enumeration definitions are syntactically not allowed in
3450       // trailing return types.
3451       llvm_unreachable("parser should not have allowed this");
3452       break;
3453     case DeclaratorContext::FileContext:
3454     case DeclaratorContext::MemberContext:
3455     case DeclaratorContext::BlockContext:
3456     case DeclaratorContext::ForContext:
3457     case DeclaratorContext::InitStmtContext:
3458     case DeclaratorContext::BlockLiteralContext:
3459     case DeclaratorContext::LambdaExprContext:
3460       // C++11 [dcl.type]p3:
3461       //   A type-specifier-seq shall not define a class or enumeration unless
3462       //   it appears in the type-id of an alias-declaration (7.1.3) that is not
3463       //   the declaration of a template-declaration.
3464     case DeclaratorContext::AliasDeclContext:
3465       break;
3466     case DeclaratorContext::AliasTemplateContext:
3467       DiagID = diag::err_type_defined_in_alias_template;
3468       break;
3469     case DeclaratorContext::TypeNameContext:
3470     case DeclaratorContext::FunctionalCastContext:
3471     case DeclaratorContext::ConversionIdContext:
3472     case DeclaratorContext::TemplateParamContext:
3473     case DeclaratorContext::CXXNewContext:
3474     case DeclaratorContext::CXXCatchContext:
3475     case DeclaratorContext::ObjCCatchContext:
3476     case DeclaratorContext::TemplateArgContext:
3477     case DeclaratorContext::TemplateTypeArgContext:
3478       DiagID = diag::err_type_defined_in_type_specifier;
3479       break;
3480     case DeclaratorContext::PrototypeContext:
3481     case DeclaratorContext::LambdaExprParameterContext:
3482     case DeclaratorContext::ObjCParameterContext:
3483     case DeclaratorContext::ObjCResultContext:
3484     case DeclaratorContext::KNRTypeListContext:
3485     case DeclaratorContext::RequiresExprContext:
3486       // C++ [dcl.fct]p6:
3487       //   Types shall not be defined in return or parameter types.
3488       DiagID = diag::err_type_defined_in_param_type;
3489       break;
3490     case DeclaratorContext::ConditionContext:
3491       // C++ 6.4p2:
3492       // The type-specifier-seq shall not contain typedef and shall not declare
3493       // a new class or enumeration.
3494       DiagID = diag::err_type_defined_in_condition;
3495       break;
3496     }
3497 
3498     if (DiagID != 0) {
3499       SemaRef.Diag(OwnedTagDecl->getLocation(), DiagID)
3500           << SemaRef.Context.getTypeDeclType(OwnedTagDecl);
3501       D.setInvalidType(true);
3502     }
3503   }
3504 
3505   assert(!T.isNull() && "This function should not return a null type");
3506   return T;
3507 }
3508 
3509 /// Produce an appropriate diagnostic for an ambiguity between a function
3510 /// declarator and a C++ direct-initializer.
3511 static void warnAboutAmbiguousFunction(Sema &S, Declarator &D,
3512                                        DeclaratorChunk &DeclType, QualType RT) {
3513   const DeclaratorChunk::FunctionTypeInfo &FTI = DeclType.Fun;
3514   assert(FTI.isAmbiguous && "no direct-initializer / function ambiguity");
3515 
3516   // If the return type is void there is no ambiguity.
3517   if (RT->isVoidType())
3518     return;
3519 
3520   // An initializer for a non-class type can have at most one argument.
3521   if (!RT->isRecordType() && FTI.NumParams > 1)
3522     return;
3523 
3524   // An initializer for a reference must have exactly one argument.
3525   if (RT->isReferenceType() && FTI.NumParams != 1)
3526     return;
3527 
3528   // Only warn if this declarator is declaring a function at block scope, and
3529   // doesn't have a storage class (such as 'extern') specified.
3530   if (!D.isFunctionDeclarator() ||
3531       D.getFunctionDefinitionKind() != FDK_Declaration ||
3532       !S.CurContext->isFunctionOrMethod() ||
3533       D.getDeclSpec().getStorageClassSpec()
3534         != DeclSpec::SCS_unspecified)
3535     return;
3536 
3537   // Inside a condition, a direct initializer is not permitted. We allow one to
3538   // be parsed in order to give better diagnostics in condition parsing.
3539   if (D.getContext() == DeclaratorContext::ConditionContext)
3540     return;
3541 
3542   SourceRange ParenRange(DeclType.Loc, DeclType.EndLoc);
3543 
3544   S.Diag(DeclType.Loc,
3545          FTI.NumParams ? diag::warn_parens_disambiguated_as_function_declaration
3546                        : diag::warn_empty_parens_are_function_decl)
3547       << ParenRange;
3548 
3549   // If the declaration looks like:
3550   //   T var1,
3551   //   f();
3552   // and name lookup finds a function named 'f', then the ',' was
3553   // probably intended to be a ';'.
3554   if (!D.isFirstDeclarator() && D.getIdentifier()) {
3555     FullSourceLoc Comma(D.getCommaLoc(), S.SourceMgr);
3556     FullSourceLoc Name(D.getIdentifierLoc(), S.SourceMgr);
3557     if (Comma.getFileID() != Name.getFileID() ||
3558         Comma.getSpellingLineNumber() != Name.getSpellingLineNumber()) {
3559       LookupResult Result(S, D.getIdentifier(), SourceLocation(),
3560                           Sema::LookupOrdinaryName);
3561       if (S.LookupName(Result, S.getCurScope()))
3562         S.Diag(D.getCommaLoc(), diag::note_empty_parens_function_call)
3563           << FixItHint::CreateReplacement(D.getCommaLoc(), ";")
3564           << D.getIdentifier();
3565       Result.suppressDiagnostics();
3566     }
3567   }
3568 
3569   if (FTI.NumParams > 0) {
3570     // For a declaration with parameters, eg. "T var(T());", suggest adding
3571     // parens around the first parameter to turn the declaration into a
3572     // variable declaration.
3573     SourceRange Range = FTI.Params[0].Param->getSourceRange();
3574     SourceLocation B = Range.getBegin();
3575     SourceLocation E = S.getLocForEndOfToken(Range.getEnd());
3576     // FIXME: Maybe we should suggest adding braces instead of parens
3577     // in C++11 for classes that don't have an initializer_list constructor.
3578     S.Diag(B, diag::note_additional_parens_for_variable_declaration)
3579       << FixItHint::CreateInsertion(B, "(")
3580       << FixItHint::CreateInsertion(E, ")");
3581   } else {
3582     // For a declaration without parameters, eg. "T var();", suggest replacing
3583     // the parens with an initializer to turn the declaration into a variable
3584     // declaration.
3585     const CXXRecordDecl *RD = RT->getAsCXXRecordDecl();
3586 
3587     // Empty parens mean value-initialization, and no parens mean
3588     // default initialization. These are equivalent if the default
3589     // constructor is user-provided or if zero-initialization is a
3590     // no-op.
3591     if (RD && RD->hasDefinition() &&
3592         (RD->isEmpty() || RD->hasUserProvidedDefaultConstructor()))
3593       S.Diag(DeclType.Loc, diag::note_empty_parens_default_ctor)
3594         << FixItHint::CreateRemoval(ParenRange);
3595     else {
3596       std::string Init =
3597           S.getFixItZeroInitializerForType(RT, ParenRange.getBegin());
3598       if (Init.empty() && S.LangOpts.CPlusPlus11)
3599         Init = "{}";
3600       if (!Init.empty())
3601         S.Diag(DeclType.Loc, diag::note_empty_parens_zero_initialize)
3602           << FixItHint::CreateReplacement(ParenRange, Init);
3603     }
3604   }
3605 }
3606 
3607 /// Produce an appropriate diagnostic for a declarator with top-level
3608 /// parentheses.
3609 static void warnAboutRedundantParens(Sema &S, Declarator &D, QualType T) {
3610   DeclaratorChunk &Paren = D.getTypeObject(D.getNumTypeObjects() - 1);
3611   assert(Paren.Kind == DeclaratorChunk::Paren &&
3612          "do not have redundant top-level parentheses");
3613 
3614   // This is a syntactic check; we're not interested in cases that arise
3615   // during template instantiation.
3616   if (S.inTemplateInstantiation())
3617     return;
3618 
3619   // Check whether this could be intended to be a construction of a temporary
3620   // object in C++ via a function-style cast.
3621   bool CouldBeTemporaryObject =
3622       S.getLangOpts().CPlusPlus && D.isExpressionContext() &&
3623       !D.isInvalidType() && D.getIdentifier() &&
3624       D.getDeclSpec().getParsedSpecifiers() == DeclSpec::PQ_TypeSpecifier &&
3625       (T->isRecordType() || T->isDependentType()) &&
3626       D.getDeclSpec().getTypeQualifiers() == 0 && D.isFirstDeclarator();
3627 
3628   bool StartsWithDeclaratorId = true;
3629   for (auto &C : D.type_objects()) {
3630     switch (C.Kind) {
3631     case DeclaratorChunk::Paren:
3632       if (&C == &Paren)
3633         continue;
3634       LLVM_FALLTHROUGH;
3635     case DeclaratorChunk::Pointer:
3636       StartsWithDeclaratorId = false;
3637       continue;
3638 
3639     case DeclaratorChunk::Array:
3640       if (!C.Arr.NumElts)
3641         CouldBeTemporaryObject = false;
3642       continue;
3643 
3644     case DeclaratorChunk::Reference:
3645       // FIXME: Suppress the warning here if there is no initializer; we're
3646       // going to give an error anyway.
3647       // We assume that something like 'T (&x) = y;' is highly likely to not
3648       // be intended to be a temporary object.
3649       CouldBeTemporaryObject = false;
3650       StartsWithDeclaratorId = false;
3651       continue;
3652 
3653     case DeclaratorChunk::Function:
3654       // In a new-type-id, function chunks require parentheses.
3655       if (D.getContext() == DeclaratorContext::CXXNewContext)
3656         return;
3657       // FIXME: "A(f())" deserves a vexing-parse warning, not just a
3658       // redundant-parens warning, but we don't know whether the function
3659       // chunk was syntactically valid as an expression here.
3660       CouldBeTemporaryObject = false;
3661       continue;
3662 
3663     case DeclaratorChunk::BlockPointer:
3664     case DeclaratorChunk::MemberPointer:
3665     case DeclaratorChunk::Pipe:
3666       // These cannot appear in expressions.
3667       CouldBeTemporaryObject = false;
3668       StartsWithDeclaratorId = false;
3669       continue;
3670     }
3671   }
3672 
3673   // FIXME: If there is an initializer, assume that this is not intended to be
3674   // a construction of a temporary object.
3675 
3676   // Check whether the name has already been declared; if not, this is not a
3677   // function-style cast.
3678   if (CouldBeTemporaryObject) {
3679     LookupResult Result(S, D.getIdentifier(), SourceLocation(),
3680                         Sema::LookupOrdinaryName);
3681     if (!S.LookupName(Result, S.getCurScope()))
3682       CouldBeTemporaryObject = false;
3683     Result.suppressDiagnostics();
3684   }
3685 
3686   SourceRange ParenRange(Paren.Loc, Paren.EndLoc);
3687 
3688   if (!CouldBeTemporaryObject) {
3689     // If we have A (::B), the parentheses affect the meaning of the program.
3690     // Suppress the warning in that case. Don't bother looking at the DeclSpec
3691     // here: even (e.g.) "int ::x" is visually ambiguous even though it's
3692     // formally unambiguous.
3693     if (StartsWithDeclaratorId && D.getCXXScopeSpec().isValid()) {
3694       for (NestedNameSpecifier *NNS = D.getCXXScopeSpec().getScopeRep(); NNS;
3695            NNS = NNS->getPrefix()) {
3696         if (NNS->getKind() == NestedNameSpecifier::Global)
3697           return;
3698       }
3699     }
3700 
3701     S.Diag(Paren.Loc, diag::warn_redundant_parens_around_declarator)
3702         << ParenRange << FixItHint::CreateRemoval(Paren.Loc)
3703         << FixItHint::CreateRemoval(Paren.EndLoc);
3704     return;
3705   }
3706 
3707   S.Diag(Paren.Loc, diag::warn_parens_disambiguated_as_variable_declaration)
3708       << ParenRange << D.getIdentifier();
3709   auto *RD = T->getAsCXXRecordDecl();
3710   if (!RD || !RD->hasDefinition() || RD->hasNonTrivialDestructor())
3711     S.Diag(Paren.Loc, diag::note_raii_guard_add_name)
3712         << FixItHint::CreateInsertion(Paren.Loc, " varname") << T
3713         << D.getIdentifier();
3714   // FIXME: A cast to void is probably a better suggestion in cases where it's
3715   // valid (when there is no initializer and we're not in a condition).
3716   S.Diag(D.getBeginLoc(), diag::note_function_style_cast_add_parentheses)
3717       << FixItHint::CreateInsertion(D.getBeginLoc(), "(")
3718       << FixItHint::CreateInsertion(S.getLocForEndOfToken(D.getEndLoc()), ")");
3719   S.Diag(Paren.Loc, diag::note_remove_parens_for_variable_declaration)
3720       << FixItHint::CreateRemoval(Paren.Loc)
3721       << FixItHint::CreateRemoval(Paren.EndLoc);
3722 }
3723 
3724 /// Helper for figuring out the default CC for a function declarator type.  If
3725 /// this is the outermost chunk, then we can determine the CC from the
3726 /// declarator context.  If not, then this could be either a member function
3727 /// type or normal function type.
3728 static CallingConv getCCForDeclaratorChunk(
3729     Sema &S, Declarator &D, const ParsedAttributesView &AttrList,
3730     const DeclaratorChunk::FunctionTypeInfo &FTI, unsigned ChunkIndex) {
3731   assert(D.getTypeObject(ChunkIndex).Kind == DeclaratorChunk::Function);
3732 
3733   // Check for an explicit CC attribute.
3734   for (const ParsedAttr &AL : AttrList) {
3735     switch (AL.getKind()) {
3736     CALLING_CONV_ATTRS_CASELIST : {
3737       // Ignore attributes that don't validate or can't apply to the
3738       // function type.  We'll diagnose the failure to apply them in
3739       // handleFunctionTypeAttr.
3740       CallingConv CC;
3741       if (!S.CheckCallingConvAttr(AL, CC) &&
3742           (!FTI.isVariadic || supportsVariadicCall(CC))) {
3743         return CC;
3744       }
3745       break;
3746     }
3747 
3748     default:
3749       break;
3750     }
3751   }
3752 
3753   bool IsCXXInstanceMethod = false;
3754 
3755   if (S.getLangOpts().CPlusPlus) {
3756     // Look inwards through parentheses to see if this chunk will form a
3757     // member pointer type or if we're the declarator.  Any type attributes
3758     // between here and there will override the CC we choose here.
3759     unsigned I = ChunkIndex;
3760     bool FoundNonParen = false;
3761     while (I && !FoundNonParen) {
3762       --I;
3763       if (D.getTypeObject(I).Kind != DeclaratorChunk::Paren)
3764         FoundNonParen = true;
3765     }
3766 
3767     if (FoundNonParen) {
3768       // If we're not the declarator, we're a regular function type unless we're
3769       // in a member pointer.
3770       IsCXXInstanceMethod =
3771           D.getTypeObject(I).Kind == DeclaratorChunk::MemberPointer;
3772     } else if (D.getContext() == DeclaratorContext::LambdaExprContext) {
3773       // This can only be a call operator for a lambda, which is an instance
3774       // method.
3775       IsCXXInstanceMethod = true;
3776     } else {
3777       // We're the innermost decl chunk, so must be a function declarator.
3778       assert(D.isFunctionDeclarator());
3779 
3780       // If we're inside a record, we're declaring a method, but it could be
3781       // explicitly or implicitly static.
3782       IsCXXInstanceMethod =
3783           D.isFirstDeclarationOfMember() &&
3784           D.getDeclSpec().getStorageClassSpec() != DeclSpec::SCS_typedef &&
3785           !D.isStaticMember();
3786     }
3787   }
3788 
3789   CallingConv CC = S.Context.getDefaultCallingConvention(FTI.isVariadic,
3790                                                          IsCXXInstanceMethod);
3791 
3792   // Attribute AT_OpenCLKernel affects the calling convention for SPIR
3793   // and AMDGPU targets, hence it cannot be treated as a calling
3794   // convention attribute. This is the simplest place to infer
3795   // calling convention for OpenCL kernels.
3796   if (S.getLangOpts().OpenCL) {
3797     for (const ParsedAttr &AL : D.getDeclSpec().getAttributes()) {
3798       if (AL.getKind() == ParsedAttr::AT_OpenCLKernel) {
3799         CC = CC_OpenCLKernel;
3800         break;
3801       }
3802     }
3803   }
3804 
3805   return CC;
3806 }
3807 
3808 namespace {
3809   /// A simple notion of pointer kinds, which matches up with the various
3810   /// pointer declarators.
3811   enum class SimplePointerKind {
3812     Pointer,
3813     BlockPointer,
3814     MemberPointer,
3815     Array,
3816   };
3817 } // end anonymous namespace
3818 
3819 IdentifierInfo *Sema::getNullabilityKeyword(NullabilityKind nullability) {
3820   switch (nullability) {
3821   case NullabilityKind::NonNull:
3822     if (!Ident__Nonnull)
3823       Ident__Nonnull = PP.getIdentifierInfo("_Nonnull");
3824     return Ident__Nonnull;
3825 
3826   case NullabilityKind::Nullable:
3827     if (!Ident__Nullable)
3828       Ident__Nullable = PP.getIdentifierInfo("_Nullable");
3829     return Ident__Nullable;
3830 
3831   case NullabilityKind::Unspecified:
3832     if (!Ident__Null_unspecified)
3833       Ident__Null_unspecified = PP.getIdentifierInfo("_Null_unspecified");
3834     return Ident__Null_unspecified;
3835   }
3836   llvm_unreachable("Unknown nullability kind.");
3837 }
3838 
3839 /// Retrieve the identifier "NSError".
3840 IdentifierInfo *Sema::getNSErrorIdent() {
3841   if (!Ident_NSError)
3842     Ident_NSError = PP.getIdentifierInfo("NSError");
3843 
3844   return Ident_NSError;
3845 }
3846 
3847 /// Check whether there is a nullability attribute of any kind in the given
3848 /// attribute list.
3849 static bool hasNullabilityAttr(const ParsedAttributesView &attrs) {
3850   for (const ParsedAttr &AL : attrs) {
3851     if (AL.getKind() == ParsedAttr::AT_TypeNonNull ||
3852         AL.getKind() == ParsedAttr::AT_TypeNullable ||
3853         AL.getKind() == ParsedAttr::AT_TypeNullUnspecified)
3854       return true;
3855   }
3856 
3857   return false;
3858 }
3859 
3860 namespace {
3861   /// Describes the kind of a pointer a declarator describes.
3862   enum class PointerDeclaratorKind {
3863     // Not a pointer.
3864     NonPointer,
3865     // Single-level pointer.
3866     SingleLevelPointer,
3867     // Multi-level pointer (of any pointer kind).
3868     MultiLevelPointer,
3869     // CFFooRef*
3870     MaybePointerToCFRef,
3871     // CFErrorRef*
3872     CFErrorRefPointer,
3873     // NSError**
3874     NSErrorPointerPointer,
3875   };
3876 
3877   /// Describes a declarator chunk wrapping a pointer that marks inference as
3878   /// unexpected.
3879   // These values must be kept in sync with diagnostics.
3880   enum class PointerWrappingDeclaratorKind {
3881     /// Pointer is top-level.
3882     None = -1,
3883     /// Pointer is an array element.
3884     Array = 0,
3885     /// Pointer is the referent type of a C++ reference.
3886     Reference = 1
3887   };
3888 } // end anonymous namespace
3889 
3890 /// Classify the given declarator, whose type-specified is \c type, based on
3891 /// what kind of pointer it refers to.
3892 ///
3893 /// This is used to determine the default nullability.
3894 static PointerDeclaratorKind
3895 classifyPointerDeclarator(Sema &S, QualType type, Declarator &declarator,
3896                           PointerWrappingDeclaratorKind &wrappingKind) {
3897   unsigned numNormalPointers = 0;
3898 
3899   // For any dependent type, we consider it a non-pointer.
3900   if (type->isDependentType())
3901     return PointerDeclaratorKind::NonPointer;
3902 
3903   // Look through the declarator chunks to identify pointers.
3904   for (unsigned i = 0, n = declarator.getNumTypeObjects(); i != n; ++i) {
3905     DeclaratorChunk &chunk = declarator.getTypeObject(i);
3906     switch (chunk.Kind) {
3907     case DeclaratorChunk::Array:
3908       if (numNormalPointers == 0)
3909         wrappingKind = PointerWrappingDeclaratorKind::Array;
3910       break;
3911 
3912     case DeclaratorChunk::Function:
3913     case DeclaratorChunk::Pipe:
3914       break;
3915 
3916     case DeclaratorChunk::BlockPointer:
3917     case DeclaratorChunk::MemberPointer:
3918       return numNormalPointers > 0 ? PointerDeclaratorKind::MultiLevelPointer
3919                                    : PointerDeclaratorKind::SingleLevelPointer;
3920 
3921     case DeclaratorChunk::Paren:
3922       break;
3923 
3924     case DeclaratorChunk::Reference:
3925       if (numNormalPointers == 0)
3926         wrappingKind = PointerWrappingDeclaratorKind::Reference;
3927       break;
3928 
3929     case DeclaratorChunk::Pointer:
3930       ++numNormalPointers;
3931       if (numNormalPointers > 2)
3932         return PointerDeclaratorKind::MultiLevelPointer;
3933       break;
3934     }
3935   }
3936 
3937   // Then, dig into the type specifier itself.
3938   unsigned numTypeSpecifierPointers = 0;
3939   do {
3940     // Decompose normal pointers.
3941     if (auto ptrType = type->getAs<PointerType>()) {
3942       ++numNormalPointers;
3943 
3944       if (numNormalPointers > 2)
3945         return PointerDeclaratorKind::MultiLevelPointer;
3946 
3947       type = ptrType->getPointeeType();
3948       ++numTypeSpecifierPointers;
3949       continue;
3950     }
3951 
3952     // Decompose block pointers.
3953     if (type->getAs<BlockPointerType>()) {
3954       return numNormalPointers > 0 ? PointerDeclaratorKind::MultiLevelPointer
3955                                    : PointerDeclaratorKind::SingleLevelPointer;
3956     }
3957 
3958     // Decompose member pointers.
3959     if (type->getAs<MemberPointerType>()) {
3960       return numNormalPointers > 0 ? PointerDeclaratorKind::MultiLevelPointer
3961                                    : PointerDeclaratorKind::SingleLevelPointer;
3962     }
3963 
3964     // Look at Objective-C object pointers.
3965     if (auto objcObjectPtr = type->getAs<ObjCObjectPointerType>()) {
3966       ++numNormalPointers;
3967       ++numTypeSpecifierPointers;
3968 
3969       // If this is NSError**, report that.
3970       if (auto objcClassDecl = objcObjectPtr->getInterfaceDecl()) {
3971         if (objcClassDecl->getIdentifier() == S.getNSErrorIdent() &&
3972             numNormalPointers == 2 && numTypeSpecifierPointers < 2) {
3973           return PointerDeclaratorKind::NSErrorPointerPointer;
3974         }
3975       }
3976 
3977       break;
3978     }
3979 
3980     // Look at Objective-C class types.
3981     if (auto objcClass = type->getAs<ObjCInterfaceType>()) {
3982       if (objcClass->getInterface()->getIdentifier() == S.getNSErrorIdent()) {
3983         if (numNormalPointers == 2 && numTypeSpecifierPointers < 2)
3984           return PointerDeclaratorKind::NSErrorPointerPointer;
3985       }
3986 
3987       break;
3988     }
3989 
3990     // If at this point we haven't seen a pointer, we won't see one.
3991     if (numNormalPointers == 0)
3992       return PointerDeclaratorKind::NonPointer;
3993 
3994     if (auto recordType = type->getAs<RecordType>()) {
3995       RecordDecl *recordDecl = recordType->getDecl();
3996 
3997       bool isCFError = false;
3998       if (S.CFError) {
3999         // If we already know about CFError, test it directly.
4000         isCFError = (S.CFError == recordDecl);
4001       } else {
4002         // Check whether this is CFError, which we identify based on its bridge
4003         // to NSError. CFErrorRef used to be declared with "objc_bridge" but is
4004         // now declared with "objc_bridge_mutable", so look for either one of
4005         // the two attributes.
4006         if (recordDecl->getTagKind() == TTK_Struct && numNormalPointers > 0) {
4007           IdentifierInfo *bridgedType = nullptr;
4008           if (auto bridgeAttr = recordDecl->getAttr<ObjCBridgeAttr>())
4009             bridgedType = bridgeAttr->getBridgedType();
4010           else if (auto bridgeAttr =
4011                        recordDecl->getAttr<ObjCBridgeMutableAttr>())
4012             bridgedType = bridgeAttr->getBridgedType();
4013 
4014           if (bridgedType == S.getNSErrorIdent()) {
4015             S.CFError = recordDecl;
4016             isCFError = true;
4017           }
4018         }
4019       }
4020 
4021       // If this is CFErrorRef*, report it as such.
4022       if (isCFError && numNormalPointers == 2 && numTypeSpecifierPointers < 2) {
4023         return PointerDeclaratorKind::CFErrorRefPointer;
4024       }
4025       break;
4026     }
4027 
4028     break;
4029   } while (true);
4030 
4031   switch (numNormalPointers) {
4032   case 0:
4033     return PointerDeclaratorKind::NonPointer;
4034 
4035   case 1:
4036     return PointerDeclaratorKind::SingleLevelPointer;
4037 
4038   case 2:
4039     return PointerDeclaratorKind::MaybePointerToCFRef;
4040 
4041   default:
4042     return PointerDeclaratorKind::MultiLevelPointer;
4043   }
4044 }
4045 
4046 static FileID getNullabilityCompletenessCheckFileID(Sema &S,
4047                                                     SourceLocation loc) {
4048   // If we're anywhere in a function, method, or closure context, don't perform
4049   // completeness checks.
4050   for (DeclContext *ctx = S.CurContext; ctx; ctx = ctx->getParent()) {
4051     if (ctx->isFunctionOrMethod())
4052       return FileID();
4053 
4054     if (ctx->isFileContext())
4055       break;
4056   }
4057 
4058   // We only care about the expansion location.
4059   loc = S.SourceMgr.getExpansionLoc(loc);
4060   FileID file = S.SourceMgr.getFileID(loc);
4061   if (file.isInvalid())
4062     return FileID();
4063 
4064   // Retrieve file information.
4065   bool invalid = false;
4066   const SrcMgr::SLocEntry &sloc = S.SourceMgr.getSLocEntry(file, &invalid);
4067   if (invalid || !sloc.isFile())
4068     return FileID();
4069 
4070   // We don't want to perform completeness checks on the main file or in
4071   // system headers.
4072   const SrcMgr::FileInfo &fileInfo = sloc.getFile();
4073   if (fileInfo.getIncludeLoc().isInvalid())
4074     return FileID();
4075   if (fileInfo.getFileCharacteristic() != SrcMgr::C_User &&
4076       S.Diags.getSuppressSystemWarnings()) {
4077     return FileID();
4078   }
4079 
4080   return file;
4081 }
4082 
4083 /// Creates a fix-it to insert a C-style nullability keyword at \p pointerLoc,
4084 /// taking into account whitespace before and after.
4085 static void fixItNullability(Sema &S, DiagnosticBuilder &Diag,
4086                              SourceLocation PointerLoc,
4087                              NullabilityKind Nullability) {
4088   assert(PointerLoc.isValid());
4089   if (PointerLoc.isMacroID())
4090     return;
4091 
4092   SourceLocation FixItLoc = S.getLocForEndOfToken(PointerLoc);
4093   if (!FixItLoc.isValid() || FixItLoc == PointerLoc)
4094     return;
4095 
4096   const char *NextChar = S.SourceMgr.getCharacterData(FixItLoc);
4097   if (!NextChar)
4098     return;
4099 
4100   SmallString<32> InsertionTextBuf{" "};
4101   InsertionTextBuf += getNullabilitySpelling(Nullability);
4102   InsertionTextBuf += " ";
4103   StringRef InsertionText = InsertionTextBuf.str();
4104 
4105   if (isWhitespace(*NextChar)) {
4106     InsertionText = InsertionText.drop_back();
4107   } else if (NextChar[-1] == '[') {
4108     if (NextChar[0] == ']')
4109       InsertionText = InsertionText.drop_back().drop_front();
4110     else
4111       InsertionText = InsertionText.drop_front();
4112   } else if (!isIdentifierBody(NextChar[0], /*allow dollar*/true) &&
4113              !isIdentifierBody(NextChar[-1], /*allow dollar*/true)) {
4114     InsertionText = InsertionText.drop_back().drop_front();
4115   }
4116 
4117   Diag << FixItHint::CreateInsertion(FixItLoc, InsertionText);
4118 }
4119 
4120 static void emitNullabilityConsistencyWarning(Sema &S,
4121                                               SimplePointerKind PointerKind,
4122                                               SourceLocation PointerLoc,
4123                                               SourceLocation PointerEndLoc) {
4124   assert(PointerLoc.isValid());
4125 
4126   if (PointerKind == SimplePointerKind::Array) {
4127     S.Diag(PointerLoc, diag::warn_nullability_missing_array);
4128   } else {
4129     S.Diag(PointerLoc, diag::warn_nullability_missing)
4130       << static_cast<unsigned>(PointerKind);
4131   }
4132 
4133   auto FixItLoc = PointerEndLoc.isValid() ? PointerEndLoc : PointerLoc;
4134   if (FixItLoc.isMacroID())
4135     return;
4136 
4137   auto addFixIt = [&](NullabilityKind Nullability) {
4138     auto Diag = S.Diag(FixItLoc, diag::note_nullability_fix_it);
4139     Diag << static_cast<unsigned>(Nullability);
4140     Diag << static_cast<unsigned>(PointerKind);
4141     fixItNullability(S, Diag, FixItLoc, Nullability);
4142   };
4143   addFixIt(NullabilityKind::Nullable);
4144   addFixIt(NullabilityKind::NonNull);
4145 }
4146 
4147 /// Complains about missing nullability if the file containing \p pointerLoc
4148 /// has other uses of nullability (either the keywords or the \c assume_nonnull
4149 /// pragma).
4150 ///
4151 /// If the file has \e not seen other uses of nullability, this particular
4152 /// pointer is saved for possible later diagnosis. See recordNullabilitySeen().
4153 static void
4154 checkNullabilityConsistency(Sema &S, SimplePointerKind pointerKind,
4155                             SourceLocation pointerLoc,
4156                             SourceLocation pointerEndLoc = SourceLocation()) {
4157   // Determine which file we're performing consistency checking for.
4158   FileID file = getNullabilityCompletenessCheckFileID(S, pointerLoc);
4159   if (file.isInvalid())
4160     return;
4161 
4162   // If we haven't seen any type nullability in this file, we won't warn now
4163   // about anything.
4164   FileNullability &fileNullability = S.NullabilityMap[file];
4165   if (!fileNullability.SawTypeNullability) {
4166     // If this is the first pointer declarator in the file, and the appropriate
4167     // warning is on, record it in case we need to diagnose it retroactively.
4168     diag::kind diagKind;
4169     if (pointerKind == SimplePointerKind::Array)
4170       diagKind = diag::warn_nullability_missing_array;
4171     else
4172       diagKind = diag::warn_nullability_missing;
4173 
4174     if (fileNullability.PointerLoc.isInvalid() &&
4175         !S.Context.getDiagnostics().isIgnored(diagKind, pointerLoc)) {
4176       fileNullability.PointerLoc = pointerLoc;
4177       fileNullability.PointerEndLoc = pointerEndLoc;
4178       fileNullability.PointerKind = static_cast<unsigned>(pointerKind);
4179     }
4180 
4181     return;
4182   }
4183 
4184   // Complain about missing nullability.
4185   emitNullabilityConsistencyWarning(S, pointerKind, pointerLoc, pointerEndLoc);
4186 }
4187 
4188 /// Marks that a nullability feature has been used in the file containing
4189 /// \p loc.
4190 ///
4191 /// If this file already had pointer types in it that were missing nullability,
4192 /// the first such instance is retroactively diagnosed.
4193 ///
4194 /// \sa checkNullabilityConsistency
4195 static void recordNullabilitySeen(Sema &S, SourceLocation loc) {
4196   FileID file = getNullabilityCompletenessCheckFileID(S, loc);
4197   if (file.isInvalid())
4198     return;
4199 
4200   FileNullability &fileNullability = S.NullabilityMap[file];
4201   if (fileNullability.SawTypeNullability)
4202     return;
4203   fileNullability.SawTypeNullability = true;
4204 
4205   // If we haven't seen any type nullability before, now we have. Retroactively
4206   // diagnose the first unannotated pointer, if there was one.
4207   if (fileNullability.PointerLoc.isInvalid())
4208     return;
4209 
4210   auto kind = static_cast<SimplePointerKind>(fileNullability.PointerKind);
4211   emitNullabilityConsistencyWarning(S, kind, fileNullability.PointerLoc,
4212                                     fileNullability.PointerEndLoc);
4213 }
4214 
4215 /// Returns true if any of the declarator chunks before \p endIndex include a
4216 /// level of indirection: array, pointer, reference, or pointer-to-member.
4217 ///
4218 /// Because declarator chunks are stored in outer-to-inner order, testing
4219 /// every chunk before \p endIndex is testing all chunks that embed the current
4220 /// chunk as part of their type.
4221 ///
4222 /// It is legal to pass the result of Declarator::getNumTypeObjects() as the
4223 /// end index, in which case all chunks are tested.
4224 static bool hasOuterPointerLikeChunk(const Declarator &D, unsigned endIndex) {
4225   unsigned i = endIndex;
4226   while (i != 0) {
4227     // Walk outwards along the declarator chunks.
4228     --i;
4229     const DeclaratorChunk &DC = D.getTypeObject(i);
4230     switch (DC.Kind) {
4231     case DeclaratorChunk::Paren:
4232       break;
4233     case DeclaratorChunk::Array:
4234     case DeclaratorChunk::Pointer:
4235     case DeclaratorChunk::Reference:
4236     case DeclaratorChunk::MemberPointer:
4237       return true;
4238     case DeclaratorChunk::Function:
4239     case DeclaratorChunk::BlockPointer:
4240     case DeclaratorChunk::Pipe:
4241       // These are invalid anyway, so just ignore.
4242       break;
4243     }
4244   }
4245   return false;
4246 }
4247 
4248 static bool IsNoDerefableChunk(DeclaratorChunk Chunk) {
4249   return (Chunk.Kind == DeclaratorChunk::Pointer ||
4250           Chunk.Kind == DeclaratorChunk::Array);
4251 }
4252 
4253 template<typename AttrT>
4254 static AttrT *createSimpleAttr(ASTContext &Ctx, ParsedAttr &AL) {
4255   AL.setUsedAsTypeAttr();
4256   return ::new (Ctx) AttrT(Ctx, AL);
4257 }
4258 
4259 static Attr *createNullabilityAttr(ASTContext &Ctx, ParsedAttr &Attr,
4260                                    NullabilityKind NK) {
4261   switch (NK) {
4262   case NullabilityKind::NonNull:
4263     return createSimpleAttr<TypeNonNullAttr>(Ctx, Attr);
4264 
4265   case NullabilityKind::Nullable:
4266     return createSimpleAttr<TypeNullableAttr>(Ctx, Attr);
4267 
4268   case NullabilityKind::Unspecified:
4269     return createSimpleAttr<TypeNullUnspecifiedAttr>(Ctx, Attr);
4270   }
4271   llvm_unreachable("unknown NullabilityKind");
4272 }
4273 
4274 // Diagnose whether this is a case with the multiple addr spaces.
4275 // Returns true if this is an invalid case.
4276 // ISO/IEC TR 18037 S5.3 (amending C99 6.7.3): "No type shall be qualified
4277 // by qualifiers for two or more different address spaces."
4278 static bool DiagnoseMultipleAddrSpaceAttributes(Sema &S, LangAS ASOld,
4279                                                 LangAS ASNew,
4280                                                 SourceLocation AttrLoc) {
4281   if (ASOld != LangAS::Default) {
4282     if (ASOld != ASNew) {
4283       S.Diag(AttrLoc, diag::err_attribute_address_multiple_qualifiers);
4284       return true;
4285     }
4286     // Emit a warning if they are identical; it's likely unintended.
4287     S.Diag(AttrLoc,
4288            diag::warn_attribute_address_multiple_identical_qualifiers);
4289   }
4290   return false;
4291 }
4292 
4293 static TypeSourceInfo *GetFullTypeForDeclarator(TypeProcessingState &state,
4294                                                 QualType declSpecType,
4295                                                 TypeSourceInfo *TInfo) {
4296   // The TypeSourceInfo that this function returns will not be a null type.
4297   // If there is an error, this function will fill in a dummy type as fallback.
4298   QualType T = declSpecType;
4299   Declarator &D = state.getDeclarator();
4300   Sema &S = state.getSema();
4301   ASTContext &Context = S.Context;
4302   const LangOptions &LangOpts = S.getLangOpts();
4303 
4304   // The name we're declaring, if any.
4305   DeclarationName Name;
4306   if (D.getIdentifier())
4307     Name = D.getIdentifier();
4308 
4309   // Does this declaration declare a typedef-name?
4310   bool IsTypedefName =
4311     D.getDeclSpec().getStorageClassSpec() == DeclSpec::SCS_typedef ||
4312     D.getContext() == DeclaratorContext::AliasDeclContext ||
4313     D.getContext() == DeclaratorContext::AliasTemplateContext;
4314 
4315   // Does T refer to a function type with a cv-qualifier or a ref-qualifier?
4316   bool IsQualifiedFunction = T->isFunctionProtoType() &&
4317       (!T->castAs<FunctionProtoType>()->getMethodQuals().empty() ||
4318        T->castAs<FunctionProtoType>()->getRefQualifier() != RQ_None);
4319 
4320   // If T is 'decltype(auto)', the only declarators we can have are parens
4321   // and at most one function declarator if this is a function declaration.
4322   // If T is a deduced class template specialization type, we can have no
4323   // declarator chunks at all.
4324   if (auto *DT = T->getAs<DeducedType>()) {
4325     const AutoType *AT = T->getAs<AutoType>();
4326     bool IsClassTemplateDeduction = isa<DeducedTemplateSpecializationType>(DT);
4327     if ((AT && AT->isDecltypeAuto()) || IsClassTemplateDeduction) {
4328       for (unsigned I = 0, E = D.getNumTypeObjects(); I != E; ++I) {
4329         unsigned Index = E - I - 1;
4330         DeclaratorChunk &DeclChunk = D.getTypeObject(Index);
4331         unsigned DiagId = IsClassTemplateDeduction
4332                               ? diag::err_deduced_class_template_compound_type
4333                               : diag::err_decltype_auto_compound_type;
4334         unsigned DiagKind = 0;
4335         switch (DeclChunk.Kind) {
4336         case DeclaratorChunk::Paren:
4337           // FIXME: Rejecting this is a little silly.
4338           if (IsClassTemplateDeduction) {
4339             DiagKind = 4;
4340             break;
4341           }
4342           continue;
4343         case DeclaratorChunk::Function: {
4344           if (IsClassTemplateDeduction) {
4345             DiagKind = 3;
4346             break;
4347           }
4348           unsigned FnIndex;
4349           if (D.isFunctionDeclarationContext() &&
4350               D.isFunctionDeclarator(FnIndex) && FnIndex == Index)
4351             continue;
4352           DiagId = diag::err_decltype_auto_function_declarator_not_declaration;
4353           break;
4354         }
4355         case DeclaratorChunk::Pointer:
4356         case DeclaratorChunk::BlockPointer:
4357         case DeclaratorChunk::MemberPointer:
4358           DiagKind = 0;
4359           break;
4360         case DeclaratorChunk::Reference:
4361           DiagKind = 1;
4362           break;
4363         case DeclaratorChunk::Array:
4364           DiagKind = 2;
4365           break;
4366         case DeclaratorChunk::Pipe:
4367           break;
4368         }
4369 
4370         S.Diag(DeclChunk.Loc, DiagId) << DiagKind;
4371         D.setInvalidType(true);
4372         break;
4373       }
4374     }
4375   }
4376 
4377   // Determine whether we should infer _Nonnull on pointer types.
4378   Optional<NullabilityKind> inferNullability;
4379   bool inferNullabilityCS = false;
4380   bool inferNullabilityInnerOnly = false;
4381   bool inferNullabilityInnerOnlyComplete = false;
4382 
4383   // Are we in an assume-nonnull region?
4384   bool inAssumeNonNullRegion = false;
4385   SourceLocation assumeNonNullLoc = S.PP.getPragmaAssumeNonNullLoc();
4386   if (assumeNonNullLoc.isValid()) {
4387     inAssumeNonNullRegion = true;
4388     recordNullabilitySeen(S, assumeNonNullLoc);
4389   }
4390 
4391   // Whether to complain about missing nullability specifiers or not.
4392   enum {
4393     /// Never complain.
4394     CAMN_No,
4395     /// Complain on the inner pointers (but not the outermost
4396     /// pointer).
4397     CAMN_InnerPointers,
4398     /// Complain about any pointers that don't have nullability
4399     /// specified or inferred.
4400     CAMN_Yes
4401   } complainAboutMissingNullability = CAMN_No;
4402   unsigned NumPointersRemaining = 0;
4403   auto complainAboutInferringWithinChunk = PointerWrappingDeclaratorKind::None;
4404 
4405   if (IsTypedefName) {
4406     // For typedefs, we do not infer any nullability (the default),
4407     // and we only complain about missing nullability specifiers on
4408     // inner pointers.
4409     complainAboutMissingNullability = CAMN_InnerPointers;
4410 
4411     if (T->canHaveNullability(/*ResultIfUnknown*/false) &&
4412         !T->getNullability(S.Context)) {
4413       // Note that we allow but don't require nullability on dependent types.
4414       ++NumPointersRemaining;
4415     }
4416 
4417     for (unsigned i = 0, n = D.getNumTypeObjects(); i != n; ++i) {
4418       DeclaratorChunk &chunk = D.getTypeObject(i);
4419       switch (chunk.Kind) {
4420       case DeclaratorChunk::Array:
4421       case DeclaratorChunk::Function:
4422       case DeclaratorChunk::Pipe:
4423         break;
4424 
4425       case DeclaratorChunk::BlockPointer:
4426       case DeclaratorChunk::MemberPointer:
4427         ++NumPointersRemaining;
4428         break;
4429 
4430       case DeclaratorChunk::Paren:
4431       case DeclaratorChunk::Reference:
4432         continue;
4433 
4434       case DeclaratorChunk::Pointer:
4435         ++NumPointersRemaining;
4436         continue;
4437       }
4438     }
4439   } else {
4440     bool isFunctionOrMethod = false;
4441     switch (auto context = state.getDeclarator().getContext()) {
4442     case DeclaratorContext::ObjCParameterContext:
4443     case DeclaratorContext::ObjCResultContext:
4444     case DeclaratorContext::PrototypeContext:
4445     case DeclaratorContext::TrailingReturnContext:
4446     case DeclaratorContext::TrailingReturnVarContext:
4447       isFunctionOrMethod = true;
4448       LLVM_FALLTHROUGH;
4449 
4450     case DeclaratorContext::MemberContext:
4451       if (state.getDeclarator().isObjCIvar() && !isFunctionOrMethod) {
4452         complainAboutMissingNullability = CAMN_No;
4453         break;
4454       }
4455 
4456       // Weak properties are inferred to be nullable.
4457       if (state.getDeclarator().isObjCWeakProperty() && inAssumeNonNullRegion) {
4458         inferNullability = NullabilityKind::Nullable;
4459         break;
4460       }
4461 
4462       LLVM_FALLTHROUGH;
4463 
4464     case DeclaratorContext::FileContext:
4465     case DeclaratorContext::KNRTypeListContext: {
4466       complainAboutMissingNullability = CAMN_Yes;
4467 
4468       // Nullability inference depends on the type and declarator.
4469       auto wrappingKind = PointerWrappingDeclaratorKind::None;
4470       switch (classifyPointerDeclarator(S, T, D, wrappingKind)) {
4471       case PointerDeclaratorKind::NonPointer:
4472       case PointerDeclaratorKind::MultiLevelPointer:
4473         // Cannot infer nullability.
4474         break;
4475 
4476       case PointerDeclaratorKind::SingleLevelPointer:
4477         // Infer _Nonnull if we are in an assumes-nonnull region.
4478         if (inAssumeNonNullRegion) {
4479           complainAboutInferringWithinChunk = wrappingKind;
4480           inferNullability = NullabilityKind::NonNull;
4481           inferNullabilityCS =
4482               (context == DeclaratorContext::ObjCParameterContext ||
4483                context == DeclaratorContext::ObjCResultContext);
4484         }
4485         break;
4486 
4487       case PointerDeclaratorKind::CFErrorRefPointer:
4488       case PointerDeclaratorKind::NSErrorPointerPointer:
4489         // Within a function or method signature, infer _Nullable at both
4490         // levels.
4491         if (isFunctionOrMethod && inAssumeNonNullRegion)
4492           inferNullability = NullabilityKind::Nullable;
4493         break;
4494 
4495       case PointerDeclaratorKind::MaybePointerToCFRef:
4496         if (isFunctionOrMethod) {
4497           // On pointer-to-pointer parameters marked cf_returns_retained or
4498           // cf_returns_not_retained, if the outer pointer is explicit then
4499           // infer the inner pointer as _Nullable.
4500           auto hasCFReturnsAttr =
4501               [](const ParsedAttributesView &AttrList) -> bool {
4502             return AttrList.hasAttribute(ParsedAttr::AT_CFReturnsRetained) ||
4503                    AttrList.hasAttribute(ParsedAttr::AT_CFReturnsNotRetained);
4504           };
4505           if (const auto *InnermostChunk = D.getInnermostNonParenChunk()) {
4506             if (hasCFReturnsAttr(D.getAttributes()) ||
4507                 hasCFReturnsAttr(InnermostChunk->getAttrs()) ||
4508                 hasCFReturnsAttr(D.getDeclSpec().getAttributes())) {
4509               inferNullability = NullabilityKind::Nullable;
4510               inferNullabilityInnerOnly = true;
4511             }
4512           }
4513         }
4514         break;
4515       }
4516       break;
4517     }
4518 
4519     case DeclaratorContext::ConversionIdContext:
4520       complainAboutMissingNullability = CAMN_Yes;
4521       break;
4522 
4523     case DeclaratorContext::AliasDeclContext:
4524     case DeclaratorContext::AliasTemplateContext:
4525     case DeclaratorContext::BlockContext:
4526     case DeclaratorContext::BlockLiteralContext:
4527     case DeclaratorContext::ConditionContext:
4528     case DeclaratorContext::CXXCatchContext:
4529     case DeclaratorContext::CXXNewContext:
4530     case DeclaratorContext::ForContext:
4531     case DeclaratorContext::InitStmtContext:
4532     case DeclaratorContext::LambdaExprContext:
4533     case DeclaratorContext::LambdaExprParameterContext:
4534     case DeclaratorContext::ObjCCatchContext:
4535     case DeclaratorContext::TemplateParamContext:
4536     case DeclaratorContext::TemplateArgContext:
4537     case DeclaratorContext::TemplateTypeArgContext:
4538     case DeclaratorContext::TypeNameContext:
4539     case DeclaratorContext::FunctionalCastContext:
4540     case DeclaratorContext::RequiresExprContext:
4541       // Don't infer in these contexts.
4542       break;
4543     }
4544   }
4545 
4546   // Local function that returns true if its argument looks like a va_list.
4547   auto isVaList = [&S](QualType T) -> bool {
4548     auto *typedefTy = T->getAs<TypedefType>();
4549     if (!typedefTy)
4550       return false;
4551     TypedefDecl *vaListTypedef = S.Context.getBuiltinVaListDecl();
4552     do {
4553       if (typedefTy->getDecl() == vaListTypedef)
4554         return true;
4555       if (auto *name = typedefTy->getDecl()->getIdentifier())
4556         if (name->isStr("va_list"))
4557           return true;
4558       typedefTy = typedefTy->desugar()->getAs<TypedefType>();
4559     } while (typedefTy);
4560     return false;
4561   };
4562 
4563   // Local function that checks the nullability for a given pointer declarator.
4564   // Returns true if _Nonnull was inferred.
4565   auto inferPointerNullability =
4566       [&](SimplePointerKind pointerKind, SourceLocation pointerLoc,
4567           SourceLocation pointerEndLoc,
4568           ParsedAttributesView &attrs, AttributePool &Pool) -> ParsedAttr * {
4569     // We've seen a pointer.
4570     if (NumPointersRemaining > 0)
4571       --NumPointersRemaining;
4572 
4573     // If a nullability attribute is present, there's nothing to do.
4574     if (hasNullabilityAttr(attrs))
4575       return nullptr;
4576 
4577     // If we're supposed to infer nullability, do so now.
4578     if (inferNullability && !inferNullabilityInnerOnlyComplete) {
4579       ParsedAttr::Syntax syntax = inferNullabilityCS
4580                                       ? ParsedAttr::AS_ContextSensitiveKeyword
4581                                       : ParsedAttr::AS_Keyword;
4582       ParsedAttr *nullabilityAttr = Pool.create(
4583           S.getNullabilityKeyword(*inferNullability), SourceRange(pointerLoc),
4584           nullptr, SourceLocation(), nullptr, 0, syntax);
4585 
4586       attrs.addAtEnd(nullabilityAttr);
4587 
4588       if (inferNullabilityCS) {
4589         state.getDeclarator().getMutableDeclSpec().getObjCQualifiers()
4590           ->setObjCDeclQualifier(ObjCDeclSpec::DQ_CSNullability);
4591       }
4592 
4593       if (pointerLoc.isValid() &&
4594           complainAboutInferringWithinChunk !=
4595             PointerWrappingDeclaratorKind::None) {
4596         auto Diag =
4597             S.Diag(pointerLoc, diag::warn_nullability_inferred_on_nested_type);
4598         Diag << static_cast<int>(complainAboutInferringWithinChunk);
4599         fixItNullability(S, Diag, pointerLoc, NullabilityKind::NonNull);
4600       }
4601 
4602       if (inferNullabilityInnerOnly)
4603         inferNullabilityInnerOnlyComplete = true;
4604       return nullabilityAttr;
4605     }
4606 
4607     // If we're supposed to complain about missing nullability, do so
4608     // now if it's truly missing.
4609     switch (complainAboutMissingNullability) {
4610     case CAMN_No:
4611       break;
4612 
4613     case CAMN_InnerPointers:
4614       if (NumPointersRemaining == 0)
4615         break;
4616       LLVM_FALLTHROUGH;
4617 
4618     case CAMN_Yes:
4619       checkNullabilityConsistency(S, pointerKind, pointerLoc, pointerEndLoc);
4620     }
4621     return nullptr;
4622   };
4623 
4624   // If the type itself could have nullability but does not, infer pointer
4625   // nullability and perform consistency checking.
4626   if (S.CodeSynthesisContexts.empty()) {
4627     if (T->canHaveNullability(/*ResultIfUnknown*/false) &&
4628         !T->getNullability(S.Context)) {
4629       if (isVaList(T)) {
4630         // Record that we've seen a pointer, but do nothing else.
4631         if (NumPointersRemaining > 0)
4632           --NumPointersRemaining;
4633       } else {
4634         SimplePointerKind pointerKind = SimplePointerKind::Pointer;
4635         if (T->isBlockPointerType())
4636           pointerKind = SimplePointerKind::BlockPointer;
4637         else if (T->isMemberPointerType())
4638           pointerKind = SimplePointerKind::MemberPointer;
4639 
4640         if (auto *attr = inferPointerNullability(
4641                 pointerKind, D.getDeclSpec().getTypeSpecTypeLoc(),
4642                 D.getDeclSpec().getEndLoc(),
4643                 D.getMutableDeclSpec().getAttributes(),
4644                 D.getMutableDeclSpec().getAttributePool())) {
4645           T = state.getAttributedType(
4646               createNullabilityAttr(Context, *attr, *inferNullability), T, T);
4647         }
4648       }
4649     }
4650 
4651     if (complainAboutMissingNullability == CAMN_Yes &&
4652         T->isArrayType() && !T->getNullability(S.Context) && !isVaList(T) &&
4653         D.isPrototypeContext() &&
4654         !hasOuterPointerLikeChunk(D, D.getNumTypeObjects())) {
4655       checkNullabilityConsistency(S, SimplePointerKind::Array,
4656                                   D.getDeclSpec().getTypeSpecTypeLoc());
4657     }
4658   }
4659 
4660   bool ExpectNoDerefChunk =
4661       state.getCurrentAttributes().hasAttribute(ParsedAttr::AT_NoDeref);
4662 
4663   // Walk the DeclTypeInfo, building the recursive type as we go.
4664   // DeclTypeInfos are ordered from the identifier out, which is
4665   // opposite of what we want :).
4666   for (unsigned i = 0, e = D.getNumTypeObjects(); i != e; ++i) {
4667     unsigned chunkIndex = e - i - 1;
4668     state.setCurrentChunkIndex(chunkIndex);
4669     DeclaratorChunk &DeclType = D.getTypeObject(chunkIndex);
4670     IsQualifiedFunction &= DeclType.Kind == DeclaratorChunk::Paren;
4671     switch (DeclType.Kind) {
4672     case DeclaratorChunk::Paren:
4673       if (i == 0)
4674         warnAboutRedundantParens(S, D, T);
4675       T = S.BuildParenType(T);
4676       break;
4677     case DeclaratorChunk::BlockPointer:
4678       // If blocks are disabled, emit an error.
4679       if (!LangOpts.Blocks)
4680         S.Diag(DeclType.Loc, diag::err_blocks_disable) << LangOpts.OpenCL;
4681 
4682       // Handle pointer nullability.
4683       inferPointerNullability(SimplePointerKind::BlockPointer, DeclType.Loc,
4684                               DeclType.EndLoc, DeclType.getAttrs(),
4685                               state.getDeclarator().getAttributePool());
4686 
4687       T = S.BuildBlockPointerType(T, D.getIdentifierLoc(), Name);
4688       if (DeclType.Cls.TypeQuals || LangOpts.OpenCL) {
4689         // OpenCL v2.0, s6.12.5 - Block variable declarations are implicitly
4690         // qualified with const.
4691         if (LangOpts.OpenCL)
4692           DeclType.Cls.TypeQuals |= DeclSpec::TQ_const;
4693         T = S.BuildQualifiedType(T, DeclType.Loc, DeclType.Cls.TypeQuals);
4694       }
4695       break;
4696     case DeclaratorChunk::Pointer:
4697       // Verify that we're not building a pointer to pointer to function with
4698       // exception specification.
4699       if (LangOpts.CPlusPlus && S.CheckDistantExceptionSpec(T)) {
4700         S.Diag(D.getIdentifierLoc(), diag::err_distant_exception_spec);
4701         D.setInvalidType(true);
4702         // Build the type anyway.
4703       }
4704 
4705       // Handle pointer nullability
4706       inferPointerNullability(SimplePointerKind::Pointer, DeclType.Loc,
4707                               DeclType.EndLoc, DeclType.getAttrs(),
4708                               state.getDeclarator().getAttributePool());
4709 
4710       if (LangOpts.ObjC && T->getAs<ObjCObjectType>()) {
4711         T = Context.getObjCObjectPointerType(T);
4712         if (DeclType.Ptr.TypeQuals)
4713           T = S.BuildQualifiedType(T, DeclType.Loc, DeclType.Ptr.TypeQuals);
4714         break;
4715       }
4716 
4717       // OpenCL v2.0 s6.9b - Pointer to image/sampler cannot be used.
4718       // OpenCL v2.0 s6.13.16.1 - Pointer to pipe cannot be used.
4719       // OpenCL v2.0 s6.12.5 - Pointers to Blocks are not allowed.
4720       if (LangOpts.OpenCL) {
4721         if (T->isImageType() || T->isSamplerT() || T->isPipeType() ||
4722             T->isBlockPointerType()) {
4723           S.Diag(D.getIdentifierLoc(), diag::err_opencl_pointer_to_type) << T;
4724           D.setInvalidType(true);
4725         }
4726       }
4727 
4728       T = S.BuildPointerType(T, DeclType.Loc, Name);
4729       if (DeclType.Ptr.TypeQuals)
4730         T = S.BuildQualifiedType(T, DeclType.Loc, DeclType.Ptr.TypeQuals);
4731       break;
4732     case DeclaratorChunk::Reference: {
4733       // Verify that we're not building a reference to pointer to function with
4734       // exception specification.
4735       if (LangOpts.CPlusPlus && S.CheckDistantExceptionSpec(T)) {
4736         S.Diag(D.getIdentifierLoc(), diag::err_distant_exception_spec);
4737         D.setInvalidType(true);
4738         // Build the type anyway.
4739       }
4740       T = S.BuildReferenceType(T, DeclType.Ref.LValueRef, DeclType.Loc, Name);
4741 
4742       if (DeclType.Ref.HasRestrict)
4743         T = S.BuildQualifiedType(T, DeclType.Loc, Qualifiers::Restrict);
4744       break;
4745     }
4746     case DeclaratorChunk::Array: {
4747       // Verify that we're not building an array of pointers to function with
4748       // exception specification.
4749       if (LangOpts.CPlusPlus && S.CheckDistantExceptionSpec(T)) {
4750         S.Diag(D.getIdentifierLoc(), diag::err_distant_exception_spec);
4751         D.setInvalidType(true);
4752         // Build the type anyway.
4753       }
4754       DeclaratorChunk::ArrayTypeInfo &ATI = DeclType.Arr;
4755       Expr *ArraySize = static_cast<Expr*>(ATI.NumElts);
4756       ArrayType::ArraySizeModifier ASM;
4757       if (ATI.isStar)
4758         ASM = ArrayType::Star;
4759       else if (ATI.hasStatic)
4760         ASM = ArrayType::Static;
4761       else
4762         ASM = ArrayType::Normal;
4763       if (ASM == ArrayType::Star && !D.isPrototypeContext()) {
4764         // FIXME: This check isn't quite right: it allows star in prototypes
4765         // for function definitions, and disallows some edge cases detailed
4766         // in http://gcc.gnu.org/ml/gcc-patches/2009-02/msg00133.html
4767         S.Diag(DeclType.Loc, diag::err_array_star_outside_prototype);
4768         ASM = ArrayType::Normal;
4769         D.setInvalidType(true);
4770       }
4771 
4772       // C99 6.7.5.2p1: The optional type qualifiers and the keyword static
4773       // shall appear only in a declaration of a function parameter with an
4774       // array type, ...
4775       if (ASM == ArrayType::Static || ATI.TypeQuals) {
4776         if (!(D.isPrototypeContext() ||
4777               D.getContext() == DeclaratorContext::KNRTypeListContext)) {
4778           S.Diag(DeclType.Loc, diag::err_array_static_outside_prototype) <<
4779               (ASM == ArrayType::Static ? "'static'" : "type qualifier");
4780           // Remove the 'static' and the type qualifiers.
4781           if (ASM == ArrayType::Static)
4782             ASM = ArrayType::Normal;
4783           ATI.TypeQuals = 0;
4784           D.setInvalidType(true);
4785         }
4786 
4787         // C99 6.7.5.2p1: ... and then only in the outermost array type
4788         // derivation.
4789         if (hasOuterPointerLikeChunk(D, chunkIndex)) {
4790           S.Diag(DeclType.Loc, diag::err_array_static_not_outermost) <<
4791             (ASM == ArrayType::Static ? "'static'" : "type qualifier");
4792           if (ASM == ArrayType::Static)
4793             ASM = ArrayType::Normal;
4794           ATI.TypeQuals = 0;
4795           D.setInvalidType(true);
4796         }
4797       }
4798       const AutoType *AT = T->getContainedAutoType();
4799       // Allow arrays of auto if we are a generic lambda parameter.
4800       // i.e. [](auto (&array)[5]) { return array[0]; }; OK
4801       if (AT &&
4802           D.getContext() != DeclaratorContext::LambdaExprParameterContext) {
4803         // We've already diagnosed this for decltype(auto).
4804         if (!AT->isDecltypeAuto())
4805           S.Diag(DeclType.Loc, diag::err_illegal_decl_array_of_auto)
4806             << getPrintableNameForEntity(Name) << T;
4807         T = QualType();
4808         break;
4809       }
4810 
4811       // Array parameters can be marked nullable as well, although it's not
4812       // necessary if they're marked 'static'.
4813       if (complainAboutMissingNullability == CAMN_Yes &&
4814           !hasNullabilityAttr(DeclType.getAttrs()) &&
4815           ASM != ArrayType::Static &&
4816           D.isPrototypeContext() &&
4817           !hasOuterPointerLikeChunk(D, chunkIndex)) {
4818         checkNullabilityConsistency(S, SimplePointerKind::Array, DeclType.Loc);
4819       }
4820 
4821       T = S.BuildArrayType(T, ASM, ArraySize, ATI.TypeQuals,
4822                            SourceRange(DeclType.Loc, DeclType.EndLoc), Name);
4823       break;
4824     }
4825     case DeclaratorChunk::Function: {
4826       // If the function declarator has a prototype (i.e. it is not () and
4827       // does not have a K&R-style identifier list), then the arguments are part
4828       // of the type, otherwise the argument list is ().
4829       DeclaratorChunk::FunctionTypeInfo &FTI = DeclType.Fun;
4830       IsQualifiedFunction =
4831           FTI.hasMethodTypeQualifiers() || FTI.hasRefQualifier();
4832 
4833       // Check for auto functions and trailing return type and adjust the
4834       // return type accordingly.
4835       if (!D.isInvalidType()) {
4836         // trailing-return-type is only required if we're declaring a function,
4837         // and not, for instance, a pointer to a function.
4838         if (D.getDeclSpec().hasAutoTypeSpec() &&
4839             !FTI.hasTrailingReturnType() && chunkIndex == 0) {
4840           if (!S.getLangOpts().CPlusPlus14) {
4841             S.Diag(D.getDeclSpec().getTypeSpecTypeLoc(),
4842                    D.getDeclSpec().getTypeSpecType() == DeclSpec::TST_auto
4843                        ? diag::err_auto_missing_trailing_return
4844                        : diag::err_deduced_return_type);
4845             T = Context.IntTy;
4846             D.setInvalidType(true);
4847           } else {
4848             S.Diag(D.getDeclSpec().getTypeSpecTypeLoc(),
4849                    diag::warn_cxx11_compat_deduced_return_type);
4850           }
4851         } else if (FTI.hasTrailingReturnType()) {
4852           // T must be exactly 'auto' at this point. See CWG issue 681.
4853           if (isa<ParenType>(T)) {
4854             S.Diag(D.getBeginLoc(), diag::err_trailing_return_in_parens)
4855                 << T << D.getSourceRange();
4856             D.setInvalidType(true);
4857           } else if (D.getName().getKind() ==
4858                      UnqualifiedIdKind::IK_DeductionGuideName) {
4859             if (T != Context.DependentTy) {
4860               S.Diag(D.getDeclSpec().getBeginLoc(),
4861                      diag::err_deduction_guide_with_complex_decl)
4862                   << D.getSourceRange();
4863               D.setInvalidType(true);
4864             }
4865           } else if (D.getContext() != DeclaratorContext::LambdaExprContext &&
4866                      (T.hasQualifiers() || !isa<AutoType>(T) ||
4867                       cast<AutoType>(T)->getKeyword() !=
4868                           AutoTypeKeyword::Auto ||
4869                       cast<AutoType>(T)->isConstrained())) {
4870             S.Diag(D.getDeclSpec().getTypeSpecTypeLoc(),
4871                    diag::err_trailing_return_without_auto)
4872                 << T << D.getDeclSpec().getSourceRange();
4873             D.setInvalidType(true);
4874           }
4875           T = S.GetTypeFromParser(FTI.getTrailingReturnType(), &TInfo);
4876           if (T.isNull()) {
4877             // An error occurred parsing the trailing return type.
4878             T = Context.IntTy;
4879             D.setInvalidType(true);
4880           } else if (S.getLangOpts().CPlusPlus20)
4881             // Handle cases like: `auto f() -> auto` or `auto f() -> C auto`.
4882             if (AutoType *Auto = T->getContainedAutoType())
4883               if (S.getCurScope()->isFunctionDeclarationScope())
4884                 T = InventTemplateParameter(state, T, TInfo, Auto,
4885                                             S.InventedParameterInfos.back());
4886         } else {
4887           // This function type is not the type of the entity being declared,
4888           // so checking the 'auto' is not the responsibility of this chunk.
4889         }
4890       }
4891 
4892       // C99 6.7.5.3p1: The return type may not be a function or array type.
4893       // For conversion functions, we'll diagnose this particular error later.
4894       if (!D.isInvalidType() && (T->isArrayType() || T->isFunctionType()) &&
4895           (D.getName().getKind() !=
4896            UnqualifiedIdKind::IK_ConversionFunctionId)) {
4897         unsigned diagID = diag::err_func_returning_array_function;
4898         // Last processing chunk in block context means this function chunk
4899         // represents the block.
4900         if (chunkIndex == 0 &&
4901             D.getContext() == DeclaratorContext::BlockLiteralContext)
4902           diagID = diag::err_block_returning_array_function;
4903         S.Diag(DeclType.Loc, diagID) << T->isFunctionType() << T;
4904         T = Context.IntTy;
4905         D.setInvalidType(true);
4906       }
4907 
4908       // Do not allow returning half FP value.
4909       // FIXME: This really should be in BuildFunctionType.
4910       if (T->isHalfType()) {
4911         if (S.getLangOpts().OpenCL) {
4912           if (!S.getOpenCLOptions().isEnabled("cl_khr_fp16")) {
4913             S.Diag(D.getIdentifierLoc(), diag::err_opencl_invalid_return)
4914                 << T << 0 /*pointer hint*/;
4915             D.setInvalidType(true);
4916           }
4917         } else if (!S.getLangOpts().HalfArgsAndReturns) {
4918           S.Diag(D.getIdentifierLoc(),
4919             diag::err_parameters_retval_cannot_have_fp16_type) << 1;
4920           D.setInvalidType(true);
4921         }
4922       }
4923 
4924       if (LangOpts.OpenCL) {
4925         // OpenCL v2.0 s6.12.5 - A block cannot be the return value of a
4926         // function.
4927         if (T->isBlockPointerType() || T->isImageType() || T->isSamplerT() ||
4928             T->isPipeType()) {
4929           S.Diag(D.getIdentifierLoc(), diag::err_opencl_invalid_return)
4930               << T << 1 /*hint off*/;
4931           D.setInvalidType(true);
4932         }
4933         // OpenCL doesn't support variadic functions and blocks
4934         // (s6.9.e and s6.12.5 OpenCL v2.0) except for printf.
4935         // We also allow here any toolchain reserved identifiers.
4936         if (FTI.isVariadic &&
4937             !(D.getIdentifier() &&
4938               ((D.getIdentifier()->getName() == "printf" &&
4939                 (LangOpts.OpenCLCPlusPlus || LangOpts.OpenCLVersion >= 120)) ||
4940                D.getIdentifier()->getName().startswith("__")))) {
4941           S.Diag(D.getIdentifierLoc(), diag::err_opencl_variadic_function);
4942           D.setInvalidType(true);
4943         }
4944       }
4945 
4946       // Methods cannot return interface types. All ObjC objects are
4947       // passed by reference.
4948       if (T->isObjCObjectType()) {
4949         SourceLocation DiagLoc, FixitLoc;
4950         if (TInfo) {
4951           DiagLoc = TInfo->getTypeLoc().getBeginLoc();
4952           FixitLoc = S.getLocForEndOfToken(TInfo->getTypeLoc().getEndLoc());
4953         } else {
4954           DiagLoc = D.getDeclSpec().getTypeSpecTypeLoc();
4955           FixitLoc = S.getLocForEndOfToken(D.getDeclSpec().getEndLoc());
4956         }
4957         S.Diag(DiagLoc, diag::err_object_cannot_be_passed_returned_by_value)
4958           << 0 << T
4959           << FixItHint::CreateInsertion(FixitLoc, "*");
4960 
4961         T = Context.getObjCObjectPointerType(T);
4962         if (TInfo) {
4963           TypeLocBuilder TLB;
4964           TLB.pushFullCopy(TInfo->getTypeLoc());
4965           ObjCObjectPointerTypeLoc TLoc = TLB.push<ObjCObjectPointerTypeLoc>(T);
4966           TLoc.setStarLoc(FixitLoc);
4967           TInfo = TLB.getTypeSourceInfo(Context, T);
4968         }
4969 
4970         D.setInvalidType(true);
4971       }
4972 
4973       // cv-qualifiers on return types are pointless except when the type is a
4974       // class type in C++.
4975       if ((T.getCVRQualifiers() || T->isAtomicType()) &&
4976           !(S.getLangOpts().CPlusPlus &&
4977             (T->isDependentType() || T->isRecordType()))) {
4978         if (T->isVoidType() && !S.getLangOpts().CPlusPlus &&
4979             D.getFunctionDefinitionKind() == FDK_Definition) {
4980           // [6.9.1/3] qualified void return is invalid on a C
4981           // function definition.  Apparently ok on declarations and
4982           // in C++ though (!)
4983           S.Diag(DeclType.Loc, diag::err_func_returning_qualified_void) << T;
4984         } else
4985           diagnoseRedundantReturnTypeQualifiers(S, T, D, chunkIndex);
4986 
4987         // C++2a [dcl.fct]p12:
4988         //   A volatile-qualified return type is deprecated
4989         if (T.isVolatileQualified() && S.getLangOpts().CPlusPlus20)
4990           S.Diag(DeclType.Loc, diag::warn_deprecated_volatile_return) << T;
4991       }
4992 
4993       // Objective-C ARC ownership qualifiers are ignored on the function
4994       // return type (by type canonicalization). Complain if this attribute
4995       // was written here.
4996       if (T.getQualifiers().hasObjCLifetime()) {
4997         SourceLocation AttrLoc;
4998         if (chunkIndex + 1 < D.getNumTypeObjects()) {
4999           DeclaratorChunk ReturnTypeChunk = D.getTypeObject(chunkIndex + 1);
5000           for (const ParsedAttr &AL : ReturnTypeChunk.getAttrs()) {
5001             if (AL.getKind() == ParsedAttr::AT_ObjCOwnership) {
5002               AttrLoc = AL.getLoc();
5003               break;
5004             }
5005           }
5006         }
5007         if (AttrLoc.isInvalid()) {
5008           for (const ParsedAttr &AL : D.getDeclSpec().getAttributes()) {
5009             if (AL.getKind() == ParsedAttr::AT_ObjCOwnership) {
5010               AttrLoc = AL.getLoc();
5011               break;
5012             }
5013           }
5014         }
5015 
5016         if (AttrLoc.isValid()) {
5017           // The ownership attributes are almost always written via
5018           // the predefined
5019           // __strong/__weak/__autoreleasing/__unsafe_unretained.
5020           if (AttrLoc.isMacroID())
5021             AttrLoc =
5022                 S.SourceMgr.getImmediateExpansionRange(AttrLoc).getBegin();
5023 
5024           S.Diag(AttrLoc, diag::warn_arc_lifetime_result_type)
5025             << T.getQualifiers().getObjCLifetime();
5026         }
5027       }
5028 
5029       if (LangOpts.CPlusPlus && D.getDeclSpec().hasTagDefinition()) {
5030         // C++ [dcl.fct]p6:
5031         //   Types shall not be defined in return or parameter types.
5032         TagDecl *Tag = cast<TagDecl>(D.getDeclSpec().getRepAsDecl());
5033         S.Diag(Tag->getLocation(), diag::err_type_defined_in_result_type)
5034           << Context.getTypeDeclType(Tag);
5035       }
5036 
5037       // Exception specs are not allowed in typedefs. Complain, but add it
5038       // anyway.
5039       if (IsTypedefName && FTI.getExceptionSpecType() && !LangOpts.CPlusPlus17)
5040         S.Diag(FTI.getExceptionSpecLocBeg(),
5041                diag::err_exception_spec_in_typedef)
5042             << (D.getContext() == DeclaratorContext::AliasDeclContext ||
5043                 D.getContext() == DeclaratorContext::AliasTemplateContext);
5044 
5045       // If we see "T var();" or "T var(T());" at block scope, it is probably
5046       // an attempt to initialize a variable, not a function declaration.
5047       if (FTI.isAmbiguous)
5048         warnAboutAmbiguousFunction(S, D, DeclType, T);
5049 
5050       FunctionType::ExtInfo EI(
5051           getCCForDeclaratorChunk(S, D, DeclType.getAttrs(), FTI, chunkIndex));
5052 
5053       if (!FTI.NumParams && !FTI.isVariadic && !LangOpts.CPlusPlus
5054                                             && !LangOpts.OpenCL) {
5055         // Simple void foo(), where the incoming T is the result type.
5056         T = Context.getFunctionNoProtoType(T, EI);
5057       } else {
5058         // We allow a zero-parameter variadic function in C if the
5059         // function is marked with the "overloadable" attribute. Scan
5060         // for this attribute now.
5061         if (!FTI.NumParams && FTI.isVariadic && !LangOpts.CPlusPlus)
5062           if (!D.getAttributes().hasAttribute(ParsedAttr::AT_Overloadable))
5063             S.Diag(FTI.getEllipsisLoc(), diag::err_ellipsis_first_param);
5064 
5065         if (FTI.NumParams && FTI.Params[0].Param == nullptr) {
5066           // C99 6.7.5.3p3: Reject int(x,y,z) when it's not a function
5067           // definition.
5068           S.Diag(FTI.Params[0].IdentLoc,
5069                  diag::err_ident_list_in_fn_declaration);
5070           D.setInvalidType(true);
5071           // Recover by creating a K&R-style function type.
5072           T = Context.getFunctionNoProtoType(T, EI);
5073           break;
5074         }
5075 
5076         FunctionProtoType::ExtProtoInfo EPI;
5077         EPI.ExtInfo = EI;
5078         EPI.Variadic = FTI.isVariadic;
5079         EPI.EllipsisLoc = FTI.getEllipsisLoc();
5080         EPI.HasTrailingReturn = FTI.hasTrailingReturnType();
5081         EPI.TypeQuals.addCVRUQualifiers(
5082             FTI.MethodQualifiers ? FTI.MethodQualifiers->getTypeQualifiers()
5083                                  : 0);
5084         EPI.RefQualifier = !FTI.hasRefQualifier()? RQ_None
5085                     : FTI.RefQualifierIsLValueRef? RQ_LValue
5086                     : RQ_RValue;
5087 
5088         // Otherwise, we have a function with a parameter list that is
5089         // potentially variadic.
5090         SmallVector<QualType, 16> ParamTys;
5091         ParamTys.reserve(FTI.NumParams);
5092 
5093         SmallVector<FunctionProtoType::ExtParameterInfo, 16>
5094           ExtParameterInfos(FTI.NumParams);
5095         bool HasAnyInterestingExtParameterInfos = false;
5096 
5097         for (unsigned i = 0, e = FTI.NumParams; i != e; ++i) {
5098           ParmVarDecl *Param = cast<ParmVarDecl>(FTI.Params[i].Param);
5099           QualType ParamTy = Param->getType();
5100           assert(!ParamTy.isNull() && "Couldn't parse type?");
5101 
5102           // Look for 'void'.  void is allowed only as a single parameter to a
5103           // function with no other parameters (C99 6.7.5.3p10).  We record
5104           // int(void) as a FunctionProtoType with an empty parameter list.
5105           if (ParamTy->isVoidType()) {
5106             // If this is something like 'float(int, void)', reject it.  'void'
5107             // is an incomplete type (C99 6.2.5p19) and function decls cannot
5108             // have parameters of incomplete type.
5109             if (FTI.NumParams != 1 || FTI.isVariadic) {
5110               S.Diag(DeclType.Loc, diag::err_void_only_param);
5111               ParamTy = Context.IntTy;
5112               Param->setType(ParamTy);
5113             } else if (FTI.Params[i].Ident) {
5114               // Reject, but continue to parse 'int(void abc)'.
5115               S.Diag(FTI.Params[i].IdentLoc, diag::err_param_with_void_type);
5116               ParamTy = Context.IntTy;
5117               Param->setType(ParamTy);
5118             } else {
5119               // Reject, but continue to parse 'float(const void)'.
5120               if (ParamTy.hasQualifiers())
5121                 S.Diag(DeclType.Loc, diag::err_void_param_qualified);
5122 
5123               // Do not add 'void' to the list.
5124               break;
5125             }
5126           } else if (ParamTy->isHalfType()) {
5127             // Disallow half FP parameters.
5128             // FIXME: This really should be in BuildFunctionType.
5129             if (S.getLangOpts().OpenCL) {
5130               if (!S.getOpenCLOptions().isEnabled("cl_khr_fp16")) {
5131                 S.Diag(Param->getLocation(),
5132                   diag::err_opencl_half_param) << ParamTy;
5133                 D.setInvalidType();
5134                 Param->setInvalidDecl();
5135               }
5136             } else if (!S.getLangOpts().HalfArgsAndReturns) {
5137               S.Diag(Param->getLocation(),
5138                 diag::err_parameters_retval_cannot_have_fp16_type) << 0;
5139               D.setInvalidType();
5140             }
5141           } else if (!FTI.hasPrototype) {
5142             if (ParamTy->isPromotableIntegerType()) {
5143               ParamTy = Context.getPromotedIntegerType(ParamTy);
5144               Param->setKNRPromoted(true);
5145             } else if (const BuiltinType* BTy = ParamTy->getAs<BuiltinType>()) {
5146               if (BTy->getKind() == BuiltinType::Float) {
5147                 ParamTy = Context.DoubleTy;
5148                 Param->setKNRPromoted(true);
5149               }
5150             }
5151           }
5152 
5153           if (LangOpts.ObjCAutoRefCount && Param->hasAttr<NSConsumedAttr>()) {
5154             ExtParameterInfos[i] = ExtParameterInfos[i].withIsConsumed(true);
5155             HasAnyInterestingExtParameterInfos = true;
5156           }
5157 
5158           if (auto attr = Param->getAttr<ParameterABIAttr>()) {
5159             ExtParameterInfos[i] =
5160               ExtParameterInfos[i].withABI(attr->getABI());
5161             HasAnyInterestingExtParameterInfos = true;
5162           }
5163 
5164           if (Param->hasAttr<PassObjectSizeAttr>()) {
5165             ExtParameterInfos[i] = ExtParameterInfos[i].withHasPassObjectSize();
5166             HasAnyInterestingExtParameterInfos = true;
5167           }
5168 
5169           if (Param->hasAttr<NoEscapeAttr>()) {
5170             ExtParameterInfos[i] = ExtParameterInfos[i].withIsNoEscape(true);
5171             HasAnyInterestingExtParameterInfos = true;
5172           }
5173 
5174           ParamTys.push_back(ParamTy);
5175         }
5176 
5177         if (HasAnyInterestingExtParameterInfos) {
5178           EPI.ExtParameterInfos = ExtParameterInfos.data();
5179           checkExtParameterInfos(S, ParamTys, EPI,
5180               [&](unsigned i) { return FTI.Params[i].Param->getLocation(); });
5181         }
5182 
5183         SmallVector<QualType, 4> Exceptions;
5184         SmallVector<ParsedType, 2> DynamicExceptions;
5185         SmallVector<SourceRange, 2> DynamicExceptionRanges;
5186         Expr *NoexceptExpr = nullptr;
5187 
5188         if (FTI.getExceptionSpecType() == EST_Dynamic) {
5189           // FIXME: It's rather inefficient to have to split into two vectors
5190           // here.
5191           unsigned N = FTI.getNumExceptions();
5192           DynamicExceptions.reserve(N);
5193           DynamicExceptionRanges.reserve(N);
5194           for (unsigned I = 0; I != N; ++I) {
5195             DynamicExceptions.push_back(FTI.Exceptions[I].Ty);
5196             DynamicExceptionRanges.push_back(FTI.Exceptions[I].Range);
5197           }
5198         } else if (isComputedNoexcept(FTI.getExceptionSpecType())) {
5199           NoexceptExpr = FTI.NoexceptExpr;
5200         }
5201 
5202         S.checkExceptionSpecification(D.isFunctionDeclarationContext(),
5203                                       FTI.getExceptionSpecType(),
5204                                       DynamicExceptions,
5205                                       DynamicExceptionRanges,
5206                                       NoexceptExpr,
5207                                       Exceptions,
5208                                       EPI.ExceptionSpec);
5209 
5210         // FIXME: Set address space from attrs for C++ mode here.
5211         // OpenCLCPlusPlus: A class member function has an address space.
5212         auto IsClassMember = [&]() {
5213           return (!state.getDeclarator().getCXXScopeSpec().isEmpty() &&
5214                   state.getDeclarator()
5215                           .getCXXScopeSpec()
5216                           .getScopeRep()
5217                           ->getKind() == NestedNameSpecifier::TypeSpec) ||
5218                  state.getDeclarator().getContext() ==
5219                      DeclaratorContext::MemberContext ||
5220                  state.getDeclarator().getContext() ==
5221                      DeclaratorContext::LambdaExprContext;
5222         };
5223 
5224         if (state.getSema().getLangOpts().OpenCLCPlusPlus && IsClassMember()) {
5225           LangAS ASIdx = LangAS::Default;
5226           // Take address space attr if any and mark as invalid to avoid adding
5227           // them later while creating QualType.
5228           if (FTI.MethodQualifiers)
5229             for (ParsedAttr &attr : FTI.MethodQualifiers->getAttributes()) {
5230               LangAS ASIdxNew = attr.asOpenCLLangAS();
5231               if (DiagnoseMultipleAddrSpaceAttributes(S, ASIdx, ASIdxNew,
5232                                                       attr.getLoc()))
5233                 D.setInvalidType(true);
5234               else
5235                 ASIdx = ASIdxNew;
5236             }
5237           // If a class member function's address space is not set, set it to
5238           // __generic.
5239           LangAS AS =
5240               (ASIdx == LangAS::Default ? S.getDefaultCXXMethodAddrSpace()
5241                                         : ASIdx);
5242           EPI.TypeQuals.addAddressSpace(AS);
5243         }
5244         T = Context.getFunctionType(T, ParamTys, EPI);
5245       }
5246       break;
5247     }
5248     case DeclaratorChunk::MemberPointer: {
5249       // The scope spec must refer to a class, or be dependent.
5250       CXXScopeSpec &SS = DeclType.Mem.Scope();
5251       QualType ClsType;
5252 
5253       // Handle pointer nullability.
5254       inferPointerNullability(SimplePointerKind::MemberPointer, DeclType.Loc,
5255                               DeclType.EndLoc, DeclType.getAttrs(),
5256                               state.getDeclarator().getAttributePool());
5257 
5258       if (SS.isInvalid()) {
5259         // Avoid emitting extra errors if we already errored on the scope.
5260         D.setInvalidType(true);
5261       } else if (S.isDependentScopeSpecifier(SS) ||
5262                  dyn_cast_or_null<CXXRecordDecl>(S.computeDeclContext(SS))) {
5263         NestedNameSpecifier *NNS = SS.getScopeRep();
5264         NestedNameSpecifier *NNSPrefix = NNS->getPrefix();
5265         switch (NNS->getKind()) {
5266         case NestedNameSpecifier::Identifier:
5267           ClsType = Context.getDependentNameType(ETK_None, NNSPrefix,
5268                                                  NNS->getAsIdentifier());
5269           break;
5270 
5271         case NestedNameSpecifier::Namespace:
5272         case NestedNameSpecifier::NamespaceAlias:
5273         case NestedNameSpecifier::Global:
5274         case NestedNameSpecifier::Super:
5275           llvm_unreachable("Nested-name-specifier must name a type");
5276 
5277         case NestedNameSpecifier::TypeSpec:
5278         case NestedNameSpecifier::TypeSpecWithTemplate:
5279           ClsType = QualType(NNS->getAsType(), 0);
5280           // Note: if the NNS has a prefix and ClsType is a nondependent
5281           // TemplateSpecializationType, then the NNS prefix is NOT included
5282           // in ClsType; hence we wrap ClsType into an ElaboratedType.
5283           // NOTE: in particular, no wrap occurs if ClsType already is an
5284           // Elaborated, DependentName, or DependentTemplateSpecialization.
5285           if (NNSPrefix && isa<TemplateSpecializationType>(NNS->getAsType()))
5286             ClsType = Context.getElaboratedType(ETK_None, NNSPrefix, ClsType);
5287           break;
5288         }
5289       } else {
5290         S.Diag(DeclType.Mem.Scope().getBeginLoc(),
5291              diag::err_illegal_decl_mempointer_in_nonclass)
5292           << (D.getIdentifier() ? D.getIdentifier()->getName() : "type name")
5293           << DeclType.Mem.Scope().getRange();
5294         D.setInvalidType(true);
5295       }
5296 
5297       if (!ClsType.isNull())
5298         T = S.BuildMemberPointerType(T, ClsType, DeclType.Loc,
5299                                      D.getIdentifier());
5300       if (T.isNull()) {
5301         T = Context.IntTy;
5302         D.setInvalidType(true);
5303       } else if (DeclType.Mem.TypeQuals) {
5304         T = S.BuildQualifiedType(T, DeclType.Loc, DeclType.Mem.TypeQuals);
5305       }
5306       break;
5307     }
5308 
5309     case DeclaratorChunk::Pipe: {
5310       T = S.BuildReadPipeType(T, DeclType.Loc);
5311       processTypeAttrs(state, T, TAL_DeclSpec,
5312                        D.getMutableDeclSpec().getAttributes());
5313       break;
5314     }
5315     }
5316 
5317     if (T.isNull()) {
5318       D.setInvalidType(true);
5319       T = Context.IntTy;
5320     }
5321 
5322     // See if there are any attributes on this declarator chunk.
5323     processTypeAttrs(state, T, TAL_DeclChunk, DeclType.getAttrs());
5324 
5325     if (DeclType.Kind != DeclaratorChunk::Paren) {
5326       if (ExpectNoDerefChunk && !IsNoDerefableChunk(DeclType))
5327         S.Diag(DeclType.Loc, diag::warn_noderef_on_non_pointer_or_array);
5328 
5329       ExpectNoDerefChunk = state.didParseNoDeref();
5330     }
5331   }
5332 
5333   if (ExpectNoDerefChunk)
5334     S.Diag(state.getDeclarator().getBeginLoc(),
5335            diag::warn_noderef_on_non_pointer_or_array);
5336 
5337   // GNU warning -Wstrict-prototypes
5338   //   Warn if a function declaration is without a prototype.
5339   //   This warning is issued for all kinds of unprototyped function
5340   //   declarations (i.e. function type typedef, function pointer etc.)
5341   //   C99 6.7.5.3p14:
5342   //   The empty list in a function declarator that is not part of a definition
5343   //   of that function specifies that no information about the number or types
5344   //   of the parameters is supplied.
5345   if (!LangOpts.CPlusPlus && D.getFunctionDefinitionKind() == FDK_Declaration) {
5346     bool IsBlock = false;
5347     for (const DeclaratorChunk &DeclType : D.type_objects()) {
5348       switch (DeclType.Kind) {
5349       case DeclaratorChunk::BlockPointer:
5350         IsBlock = true;
5351         break;
5352       case DeclaratorChunk::Function: {
5353         const DeclaratorChunk::FunctionTypeInfo &FTI = DeclType.Fun;
5354         // We supress the warning when there's no LParen location, as this
5355         // indicates the declaration was an implicit declaration, which gets
5356         // warned about separately via -Wimplicit-function-declaration.
5357         if (FTI.NumParams == 0 && !FTI.isVariadic && FTI.getLParenLoc().isValid())
5358           S.Diag(DeclType.Loc, diag::warn_strict_prototypes)
5359               << IsBlock
5360               << FixItHint::CreateInsertion(FTI.getRParenLoc(), "void");
5361         IsBlock = false;
5362         break;
5363       }
5364       default:
5365         break;
5366       }
5367     }
5368   }
5369 
5370   assert(!T.isNull() && "T must not be null after this point");
5371 
5372   if (LangOpts.CPlusPlus && T->isFunctionType()) {
5373     const FunctionProtoType *FnTy = T->getAs<FunctionProtoType>();
5374     assert(FnTy && "Why oh why is there not a FunctionProtoType here?");
5375 
5376     // C++ 8.3.5p4:
5377     //   A cv-qualifier-seq shall only be part of the function type
5378     //   for a nonstatic member function, the function type to which a pointer
5379     //   to member refers, or the top-level function type of a function typedef
5380     //   declaration.
5381     //
5382     // Core issue 547 also allows cv-qualifiers on function types that are
5383     // top-level template type arguments.
5384     enum { NonMember, Member, DeductionGuide } Kind = NonMember;
5385     if (D.getName().getKind() == UnqualifiedIdKind::IK_DeductionGuideName)
5386       Kind = DeductionGuide;
5387     else if (!D.getCXXScopeSpec().isSet()) {
5388       if ((D.getContext() == DeclaratorContext::MemberContext ||
5389            D.getContext() == DeclaratorContext::LambdaExprContext) &&
5390           !D.getDeclSpec().isFriendSpecified())
5391         Kind = Member;
5392     } else {
5393       DeclContext *DC = S.computeDeclContext(D.getCXXScopeSpec());
5394       if (!DC || DC->isRecord())
5395         Kind = Member;
5396     }
5397 
5398     // C++11 [dcl.fct]p6 (w/DR1417):
5399     // An attempt to specify a function type with a cv-qualifier-seq or a
5400     // ref-qualifier (including by typedef-name) is ill-formed unless it is:
5401     //  - the function type for a non-static member function,
5402     //  - the function type to which a pointer to member refers,
5403     //  - the top-level function type of a function typedef declaration or
5404     //    alias-declaration,
5405     //  - the type-id in the default argument of a type-parameter, or
5406     //  - the type-id of a template-argument for a type-parameter
5407     //
5408     // FIXME: Checking this here is insufficient. We accept-invalid on:
5409     //
5410     //   template<typename T> struct S { void f(T); };
5411     //   S<int() const> s;
5412     //
5413     // ... for instance.
5414     if (IsQualifiedFunction &&
5415         !(Kind == Member &&
5416           D.getDeclSpec().getStorageClassSpec() != DeclSpec::SCS_static) &&
5417         !IsTypedefName &&
5418         D.getContext() != DeclaratorContext::TemplateArgContext &&
5419         D.getContext() != DeclaratorContext::TemplateTypeArgContext) {
5420       SourceLocation Loc = D.getBeginLoc();
5421       SourceRange RemovalRange;
5422       unsigned I;
5423       if (D.isFunctionDeclarator(I)) {
5424         SmallVector<SourceLocation, 4> RemovalLocs;
5425         const DeclaratorChunk &Chunk = D.getTypeObject(I);
5426         assert(Chunk.Kind == DeclaratorChunk::Function);
5427 
5428         if (Chunk.Fun.hasRefQualifier())
5429           RemovalLocs.push_back(Chunk.Fun.getRefQualifierLoc());
5430 
5431         if (Chunk.Fun.hasMethodTypeQualifiers())
5432           Chunk.Fun.MethodQualifiers->forEachQualifier(
5433               [&](DeclSpec::TQ TypeQual, StringRef QualName,
5434                   SourceLocation SL) { RemovalLocs.push_back(SL); });
5435 
5436         if (!RemovalLocs.empty()) {
5437           llvm::sort(RemovalLocs,
5438                      BeforeThanCompare<SourceLocation>(S.getSourceManager()));
5439           RemovalRange = SourceRange(RemovalLocs.front(), RemovalLocs.back());
5440           Loc = RemovalLocs.front();
5441         }
5442       }
5443 
5444       S.Diag(Loc, diag::err_invalid_qualified_function_type)
5445         << Kind << D.isFunctionDeclarator() << T
5446         << getFunctionQualifiersAsString(FnTy)
5447         << FixItHint::CreateRemoval(RemovalRange);
5448 
5449       // Strip the cv-qualifiers and ref-qualifiers from the type.
5450       FunctionProtoType::ExtProtoInfo EPI = FnTy->getExtProtoInfo();
5451       EPI.TypeQuals.removeCVRQualifiers();
5452       EPI.RefQualifier = RQ_None;
5453 
5454       T = Context.getFunctionType(FnTy->getReturnType(), FnTy->getParamTypes(),
5455                                   EPI);
5456       // Rebuild any parens around the identifier in the function type.
5457       for (unsigned i = 0, e = D.getNumTypeObjects(); i != e; ++i) {
5458         if (D.getTypeObject(i).Kind != DeclaratorChunk::Paren)
5459           break;
5460         T = S.BuildParenType(T);
5461       }
5462     }
5463   }
5464 
5465   // Apply any undistributed attributes from the declarator.
5466   processTypeAttrs(state, T, TAL_DeclName, D.getAttributes());
5467 
5468   // Diagnose any ignored type attributes.
5469   state.diagnoseIgnoredTypeAttrs(T);
5470 
5471   // C++0x [dcl.constexpr]p9:
5472   //  A constexpr specifier used in an object declaration declares the object
5473   //  as const.
5474   if (D.getDeclSpec().getConstexprSpecifier() == CSK_constexpr &&
5475       T->isObjectType())
5476     T.addConst();
5477 
5478   // C++2a [dcl.fct]p4:
5479   //   A parameter with volatile-qualified type is deprecated
5480   if (T.isVolatileQualified() && S.getLangOpts().CPlusPlus20 &&
5481       (D.getContext() == DeclaratorContext::PrototypeContext ||
5482        D.getContext() == DeclaratorContext::LambdaExprParameterContext))
5483     S.Diag(D.getIdentifierLoc(), diag::warn_deprecated_volatile_param) << T;
5484 
5485   // If there was an ellipsis in the declarator, the declaration declares a
5486   // parameter pack whose type may be a pack expansion type.
5487   if (D.hasEllipsis()) {
5488     // C++0x [dcl.fct]p13:
5489     //   A declarator-id or abstract-declarator containing an ellipsis shall
5490     //   only be used in a parameter-declaration. Such a parameter-declaration
5491     //   is a parameter pack (14.5.3). [...]
5492     switch (D.getContext()) {
5493     case DeclaratorContext::PrototypeContext:
5494     case DeclaratorContext::LambdaExprParameterContext:
5495     case DeclaratorContext::RequiresExprContext:
5496       // C++0x [dcl.fct]p13:
5497       //   [...] When it is part of a parameter-declaration-clause, the
5498       //   parameter pack is a function parameter pack (14.5.3). The type T
5499       //   of the declarator-id of the function parameter pack shall contain
5500       //   a template parameter pack; each template parameter pack in T is
5501       //   expanded by the function parameter pack.
5502       //
5503       // We represent function parameter packs as function parameters whose
5504       // type is a pack expansion.
5505       if (!T->containsUnexpandedParameterPack() &&
5506           (!LangOpts.CPlusPlus20 || !T->getContainedAutoType())) {
5507         S.Diag(D.getEllipsisLoc(),
5508              diag::err_function_parameter_pack_without_parameter_packs)
5509           << T <<  D.getSourceRange();
5510         D.setEllipsisLoc(SourceLocation());
5511       } else {
5512         T = Context.getPackExpansionType(T, None);
5513       }
5514       break;
5515     case DeclaratorContext::TemplateParamContext:
5516       // C++0x [temp.param]p15:
5517       //   If a template-parameter is a [...] is a parameter-declaration that
5518       //   declares a parameter pack (8.3.5), then the template-parameter is a
5519       //   template parameter pack (14.5.3).
5520       //
5521       // Note: core issue 778 clarifies that, if there are any unexpanded
5522       // parameter packs in the type of the non-type template parameter, then
5523       // it expands those parameter packs.
5524       if (T->containsUnexpandedParameterPack())
5525         T = Context.getPackExpansionType(T, None);
5526       else
5527         S.Diag(D.getEllipsisLoc(),
5528                LangOpts.CPlusPlus11
5529                  ? diag::warn_cxx98_compat_variadic_templates
5530                  : diag::ext_variadic_templates);
5531       break;
5532 
5533     case DeclaratorContext::FileContext:
5534     case DeclaratorContext::KNRTypeListContext:
5535     case DeclaratorContext::ObjCParameterContext:  // FIXME: special diagnostic
5536                                                    // here?
5537     case DeclaratorContext::ObjCResultContext:     // FIXME: special diagnostic
5538                                                    // here?
5539     case DeclaratorContext::TypeNameContext:
5540     case DeclaratorContext::FunctionalCastContext:
5541     case DeclaratorContext::CXXNewContext:
5542     case DeclaratorContext::AliasDeclContext:
5543     case DeclaratorContext::AliasTemplateContext:
5544     case DeclaratorContext::MemberContext:
5545     case DeclaratorContext::BlockContext:
5546     case DeclaratorContext::ForContext:
5547     case DeclaratorContext::InitStmtContext:
5548     case DeclaratorContext::ConditionContext:
5549     case DeclaratorContext::CXXCatchContext:
5550     case DeclaratorContext::ObjCCatchContext:
5551     case DeclaratorContext::BlockLiteralContext:
5552     case DeclaratorContext::LambdaExprContext:
5553     case DeclaratorContext::ConversionIdContext:
5554     case DeclaratorContext::TrailingReturnContext:
5555     case DeclaratorContext::TrailingReturnVarContext:
5556     case DeclaratorContext::TemplateArgContext:
5557     case DeclaratorContext::TemplateTypeArgContext:
5558       // FIXME: We may want to allow parameter packs in block-literal contexts
5559       // in the future.
5560       S.Diag(D.getEllipsisLoc(),
5561              diag::err_ellipsis_in_declarator_not_parameter);
5562       D.setEllipsisLoc(SourceLocation());
5563       break;
5564     }
5565   }
5566 
5567   assert(!T.isNull() && "T must not be null at the end of this function");
5568   if (D.isInvalidType())
5569     return Context.getTrivialTypeSourceInfo(T);
5570 
5571   return GetTypeSourceInfoForDeclarator(state, T, TInfo);
5572 }
5573 
5574 /// GetTypeForDeclarator - Convert the type for the specified
5575 /// declarator to Type instances.
5576 ///
5577 /// The result of this call will never be null, but the associated
5578 /// type may be a null type if there's an unrecoverable error.
5579 TypeSourceInfo *Sema::GetTypeForDeclarator(Declarator &D, Scope *S) {
5580   // Determine the type of the declarator. Not all forms of declarator
5581   // have a type.
5582 
5583   TypeProcessingState state(*this, D);
5584 
5585   TypeSourceInfo *ReturnTypeInfo = nullptr;
5586   QualType T = GetDeclSpecTypeForDeclarator(state, ReturnTypeInfo);
5587   if (D.isPrototypeContext() && getLangOpts().ObjCAutoRefCount)
5588     inferARCWriteback(state, T);
5589 
5590   return GetFullTypeForDeclarator(state, T, ReturnTypeInfo);
5591 }
5592 
5593 static void transferARCOwnershipToDeclSpec(Sema &S,
5594                                            QualType &declSpecTy,
5595                                            Qualifiers::ObjCLifetime ownership) {
5596   if (declSpecTy->isObjCRetainableType() &&
5597       declSpecTy.getObjCLifetime() == Qualifiers::OCL_None) {
5598     Qualifiers qs;
5599     qs.addObjCLifetime(ownership);
5600     declSpecTy = S.Context.getQualifiedType(declSpecTy, qs);
5601   }
5602 }
5603 
5604 static void transferARCOwnershipToDeclaratorChunk(TypeProcessingState &state,
5605                                             Qualifiers::ObjCLifetime ownership,
5606                                             unsigned chunkIndex) {
5607   Sema &S = state.getSema();
5608   Declarator &D = state.getDeclarator();
5609 
5610   // Look for an explicit lifetime attribute.
5611   DeclaratorChunk &chunk = D.getTypeObject(chunkIndex);
5612   if (chunk.getAttrs().hasAttribute(ParsedAttr::AT_ObjCOwnership))
5613     return;
5614 
5615   const char *attrStr = nullptr;
5616   switch (ownership) {
5617   case Qualifiers::OCL_None: llvm_unreachable("no ownership!");
5618   case Qualifiers::OCL_ExplicitNone: attrStr = "none"; break;
5619   case Qualifiers::OCL_Strong: attrStr = "strong"; break;
5620   case Qualifiers::OCL_Weak: attrStr = "weak"; break;
5621   case Qualifiers::OCL_Autoreleasing: attrStr = "autoreleasing"; break;
5622   }
5623 
5624   IdentifierLoc *Arg = new (S.Context) IdentifierLoc;
5625   Arg->Ident = &S.Context.Idents.get(attrStr);
5626   Arg->Loc = SourceLocation();
5627 
5628   ArgsUnion Args(Arg);
5629 
5630   // If there wasn't one, add one (with an invalid source location
5631   // so that we don't make an AttributedType for it).
5632   ParsedAttr *attr = D.getAttributePool().create(
5633       &S.Context.Idents.get("objc_ownership"), SourceLocation(),
5634       /*scope*/ nullptr, SourceLocation(),
5635       /*args*/ &Args, 1, ParsedAttr::AS_GNU);
5636   chunk.getAttrs().addAtEnd(attr);
5637   // TODO: mark whether we did this inference?
5638 }
5639 
5640 /// Used for transferring ownership in casts resulting in l-values.
5641 static void transferARCOwnership(TypeProcessingState &state,
5642                                  QualType &declSpecTy,
5643                                  Qualifiers::ObjCLifetime ownership) {
5644   Sema &S = state.getSema();
5645   Declarator &D = state.getDeclarator();
5646 
5647   int inner = -1;
5648   bool hasIndirection = false;
5649   for (unsigned i = 0, e = D.getNumTypeObjects(); i != e; ++i) {
5650     DeclaratorChunk &chunk = D.getTypeObject(i);
5651     switch (chunk.Kind) {
5652     case DeclaratorChunk::Paren:
5653       // Ignore parens.
5654       break;
5655 
5656     case DeclaratorChunk::Array:
5657     case DeclaratorChunk::Reference:
5658     case DeclaratorChunk::Pointer:
5659       if (inner != -1)
5660         hasIndirection = true;
5661       inner = i;
5662       break;
5663 
5664     case DeclaratorChunk::BlockPointer:
5665       if (inner != -1)
5666         transferARCOwnershipToDeclaratorChunk(state, ownership, i);
5667       return;
5668 
5669     case DeclaratorChunk::Function:
5670     case DeclaratorChunk::MemberPointer:
5671     case DeclaratorChunk::Pipe:
5672       return;
5673     }
5674   }
5675 
5676   if (inner == -1)
5677     return;
5678 
5679   DeclaratorChunk &chunk = D.getTypeObject(inner);
5680   if (chunk.Kind == DeclaratorChunk::Pointer) {
5681     if (declSpecTy->isObjCRetainableType())
5682       return transferARCOwnershipToDeclSpec(S, declSpecTy, ownership);
5683     if (declSpecTy->isObjCObjectType() && hasIndirection)
5684       return transferARCOwnershipToDeclaratorChunk(state, ownership, inner);
5685   } else {
5686     assert(chunk.Kind == DeclaratorChunk::Array ||
5687            chunk.Kind == DeclaratorChunk::Reference);
5688     return transferARCOwnershipToDeclSpec(S, declSpecTy, ownership);
5689   }
5690 }
5691 
5692 TypeSourceInfo *Sema::GetTypeForDeclaratorCast(Declarator &D, QualType FromTy) {
5693   TypeProcessingState state(*this, D);
5694 
5695   TypeSourceInfo *ReturnTypeInfo = nullptr;
5696   QualType declSpecTy = GetDeclSpecTypeForDeclarator(state, ReturnTypeInfo);
5697 
5698   if (getLangOpts().ObjC) {
5699     Qualifiers::ObjCLifetime ownership = Context.getInnerObjCOwnership(FromTy);
5700     if (ownership != Qualifiers::OCL_None)
5701       transferARCOwnership(state, declSpecTy, ownership);
5702   }
5703 
5704   return GetFullTypeForDeclarator(state, declSpecTy, ReturnTypeInfo);
5705 }
5706 
5707 static void fillAttributedTypeLoc(AttributedTypeLoc TL,
5708                                   TypeProcessingState &State) {
5709   TL.setAttr(State.takeAttrForAttributedType(TL.getTypePtr()));
5710 }
5711 
5712 namespace {
5713   class TypeSpecLocFiller : public TypeLocVisitor<TypeSpecLocFiller> {
5714     Sema &SemaRef;
5715     ASTContext &Context;
5716     TypeProcessingState &State;
5717     const DeclSpec &DS;
5718 
5719   public:
5720     TypeSpecLocFiller(Sema &S, ASTContext &Context, TypeProcessingState &State,
5721                       const DeclSpec &DS)
5722         : SemaRef(S), Context(Context), State(State), DS(DS) {}
5723 
5724     void VisitAttributedTypeLoc(AttributedTypeLoc TL) {
5725       Visit(TL.getModifiedLoc());
5726       fillAttributedTypeLoc(TL, State);
5727     }
5728     void VisitMacroQualifiedTypeLoc(MacroQualifiedTypeLoc TL) {
5729       Visit(TL.getInnerLoc());
5730       TL.setExpansionLoc(
5731           State.getExpansionLocForMacroQualifiedType(TL.getTypePtr()));
5732     }
5733     void VisitQualifiedTypeLoc(QualifiedTypeLoc TL) {
5734       Visit(TL.getUnqualifiedLoc());
5735     }
5736     void VisitTypedefTypeLoc(TypedefTypeLoc TL) {
5737       TL.setNameLoc(DS.getTypeSpecTypeLoc());
5738     }
5739     void VisitObjCInterfaceTypeLoc(ObjCInterfaceTypeLoc TL) {
5740       TL.setNameLoc(DS.getTypeSpecTypeLoc());
5741       // FIXME. We should have DS.getTypeSpecTypeEndLoc(). But, it requires
5742       // addition field. What we have is good enough for dispay of location
5743       // of 'fixit' on interface name.
5744       TL.setNameEndLoc(DS.getEndLoc());
5745     }
5746     void VisitObjCObjectTypeLoc(ObjCObjectTypeLoc TL) {
5747       TypeSourceInfo *RepTInfo = nullptr;
5748       Sema::GetTypeFromParser(DS.getRepAsType(), &RepTInfo);
5749       TL.copy(RepTInfo->getTypeLoc());
5750     }
5751     void VisitObjCObjectPointerTypeLoc(ObjCObjectPointerTypeLoc TL) {
5752       TypeSourceInfo *RepTInfo = nullptr;
5753       Sema::GetTypeFromParser(DS.getRepAsType(), &RepTInfo);
5754       TL.copy(RepTInfo->getTypeLoc());
5755     }
5756     void VisitTemplateSpecializationTypeLoc(TemplateSpecializationTypeLoc TL) {
5757       TypeSourceInfo *TInfo = nullptr;
5758       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5759 
5760       // If we got no declarator info from previous Sema routines,
5761       // just fill with the typespec loc.
5762       if (!TInfo) {
5763         TL.initialize(Context, DS.getTypeSpecTypeNameLoc());
5764         return;
5765       }
5766 
5767       TypeLoc OldTL = TInfo->getTypeLoc();
5768       if (TInfo->getType()->getAs<ElaboratedType>()) {
5769         ElaboratedTypeLoc ElabTL = OldTL.castAs<ElaboratedTypeLoc>();
5770         TemplateSpecializationTypeLoc NamedTL = ElabTL.getNamedTypeLoc()
5771             .castAs<TemplateSpecializationTypeLoc>();
5772         TL.copy(NamedTL);
5773       } else {
5774         TL.copy(OldTL.castAs<TemplateSpecializationTypeLoc>());
5775         assert(TL.getRAngleLoc() == OldTL.castAs<TemplateSpecializationTypeLoc>().getRAngleLoc());
5776       }
5777 
5778     }
5779     void VisitTypeOfExprTypeLoc(TypeOfExprTypeLoc TL) {
5780       assert(DS.getTypeSpecType() == DeclSpec::TST_typeofExpr);
5781       TL.setTypeofLoc(DS.getTypeSpecTypeLoc());
5782       TL.setParensRange(DS.getTypeofParensRange());
5783     }
5784     void VisitTypeOfTypeLoc(TypeOfTypeLoc TL) {
5785       assert(DS.getTypeSpecType() == DeclSpec::TST_typeofType);
5786       TL.setTypeofLoc(DS.getTypeSpecTypeLoc());
5787       TL.setParensRange(DS.getTypeofParensRange());
5788       assert(DS.getRepAsType());
5789       TypeSourceInfo *TInfo = nullptr;
5790       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5791       TL.setUnderlyingTInfo(TInfo);
5792     }
5793     void VisitUnaryTransformTypeLoc(UnaryTransformTypeLoc TL) {
5794       // FIXME: This holds only because we only have one unary transform.
5795       assert(DS.getTypeSpecType() == DeclSpec::TST_underlyingType);
5796       TL.setKWLoc(DS.getTypeSpecTypeLoc());
5797       TL.setParensRange(DS.getTypeofParensRange());
5798       assert(DS.getRepAsType());
5799       TypeSourceInfo *TInfo = nullptr;
5800       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5801       TL.setUnderlyingTInfo(TInfo);
5802     }
5803     void VisitBuiltinTypeLoc(BuiltinTypeLoc TL) {
5804       // By default, use the source location of the type specifier.
5805       TL.setBuiltinLoc(DS.getTypeSpecTypeLoc());
5806       if (TL.needsExtraLocalData()) {
5807         // Set info for the written builtin specifiers.
5808         TL.getWrittenBuiltinSpecs() = DS.getWrittenBuiltinSpecs();
5809         // Try to have a meaningful source location.
5810         if (TL.getWrittenSignSpec() != TSS_unspecified)
5811           TL.expandBuiltinRange(DS.getTypeSpecSignLoc());
5812         if (TL.getWrittenWidthSpec() != TSW_unspecified)
5813           TL.expandBuiltinRange(DS.getTypeSpecWidthRange());
5814       }
5815     }
5816     void VisitElaboratedTypeLoc(ElaboratedTypeLoc TL) {
5817       ElaboratedTypeKeyword Keyword
5818         = TypeWithKeyword::getKeywordForTypeSpec(DS.getTypeSpecType());
5819       if (DS.getTypeSpecType() == TST_typename) {
5820         TypeSourceInfo *TInfo = nullptr;
5821         Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5822         if (TInfo) {
5823           TL.copy(TInfo->getTypeLoc().castAs<ElaboratedTypeLoc>());
5824           return;
5825         }
5826       }
5827       TL.setElaboratedKeywordLoc(Keyword != ETK_None
5828                                  ? DS.getTypeSpecTypeLoc()
5829                                  : SourceLocation());
5830       const CXXScopeSpec& SS = DS.getTypeSpecScope();
5831       TL.setQualifierLoc(SS.getWithLocInContext(Context));
5832       Visit(TL.getNextTypeLoc().getUnqualifiedLoc());
5833     }
5834     void VisitDependentNameTypeLoc(DependentNameTypeLoc TL) {
5835       assert(DS.getTypeSpecType() == TST_typename);
5836       TypeSourceInfo *TInfo = nullptr;
5837       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5838       assert(TInfo);
5839       TL.copy(TInfo->getTypeLoc().castAs<DependentNameTypeLoc>());
5840     }
5841     void VisitDependentTemplateSpecializationTypeLoc(
5842                                  DependentTemplateSpecializationTypeLoc TL) {
5843       assert(DS.getTypeSpecType() == TST_typename);
5844       TypeSourceInfo *TInfo = nullptr;
5845       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5846       assert(TInfo);
5847       TL.copy(
5848           TInfo->getTypeLoc().castAs<DependentTemplateSpecializationTypeLoc>());
5849     }
5850     void VisitAutoTypeLoc(AutoTypeLoc TL) {
5851       assert(DS.getTypeSpecType() == TST_auto ||
5852              DS.getTypeSpecType() == TST_decltype_auto ||
5853              DS.getTypeSpecType() == TST_auto_type ||
5854              DS.getTypeSpecType() == TST_unspecified);
5855       TL.setNameLoc(DS.getTypeSpecTypeLoc());
5856       if (!DS.isConstrainedAuto())
5857         return;
5858       TemplateIdAnnotation *TemplateId = DS.getRepAsTemplateId();
5859       if (DS.getTypeSpecScope().isNotEmpty())
5860         TL.setNestedNameSpecifierLoc(
5861             DS.getTypeSpecScope().getWithLocInContext(Context));
5862       else
5863         TL.setNestedNameSpecifierLoc(NestedNameSpecifierLoc());
5864       TL.setTemplateKWLoc(TemplateId->TemplateKWLoc);
5865       TL.setConceptNameLoc(TemplateId->TemplateNameLoc);
5866       TL.setFoundDecl(nullptr);
5867       TL.setLAngleLoc(TemplateId->LAngleLoc);
5868       TL.setRAngleLoc(TemplateId->RAngleLoc);
5869       if (TemplateId->NumArgs == 0)
5870         return;
5871       TemplateArgumentListInfo TemplateArgsInfo;
5872       ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
5873                                          TemplateId->NumArgs);
5874       SemaRef.translateTemplateArguments(TemplateArgsPtr, TemplateArgsInfo);
5875       for (unsigned I = 0; I < TemplateId->NumArgs; ++I)
5876         TL.setArgLocInfo(I, TemplateArgsInfo.arguments()[I].getLocInfo());
5877     }
5878     void VisitTagTypeLoc(TagTypeLoc TL) {
5879       TL.setNameLoc(DS.getTypeSpecTypeNameLoc());
5880     }
5881     void VisitAtomicTypeLoc(AtomicTypeLoc TL) {
5882       // An AtomicTypeLoc can come from either an _Atomic(...) type specifier
5883       // or an _Atomic qualifier.
5884       if (DS.getTypeSpecType() == DeclSpec::TST_atomic) {
5885         TL.setKWLoc(DS.getTypeSpecTypeLoc());
5886         TL.setParensRange(DS.getTypeofParensRange());
5887 
5888         TypeSourceInfo *TInfo = nullptr;
5889         Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5890         assert(TInfo);
5891         TL.getValueLoc().initializeFullCopy(TInfo->getTypeLoc());
5892       } else {
5893         TL.setKWLoc(DS.getAtomicSpecLoc());
5894         // No parens, to indicate this was spelled as an _Atomic qualifier.
5895         TL.setParensRange(SourceRange());
5896         Visit(TL.getValueLoc());
5897       }
5898     }
5899 
5900     void VisitPipeTypeLoc(PipeTypeLoc TL) {
5901       TL.setKWLoc(DS.getTypeSpecTypeLoc());
5902 
5903       TypeSourceInfo *TInfo = nullptr;
5904       Sema::GetTypeFromParser(DS.getRepAsType(), &TInfo);
5905       TL.getValueLoc().initializeFullCopy(TInfo->getTypeLoc());
5906     }
5907 
5908     void VisitExtIntTypeLoc(ExtIntTypeLoc TL) {
5909       TL.setNameLoc(DS.getTypeSpecTypeLoc());
5910     }
5911 
5912     void VisitDependentExtIntTypeLoc(DependentExtIntTypeLoc TL) {
5913       TL.setNameLoc(DS.getTypeSpecTypeLoc());
5914     }
5915 
5916     void VisitTypeLoc(TypeLoc TL) {
5917       // FIXME: add other typespec types and change this to an assert.
5918       TL.initialize(Context, DS.getTypeSpecTypeLoc());
5919     }
5920   };
5921 
5922   class DeclaratorLocFiller : public TypeLocVisitor<DeclaratorLocFiller> {
5923     ASTContext &Context;
5924     TypeProcessingState &State;
5925     const DeclaratorChunk &Chunk;
5926 
5927   public:
5928     DeclaratorLocFiller(ASTContext &Context, TypeProcessingState &State,
5929                         const DeclaratorChunk &Chunk)
5930         : Context(Context), State(State), Chunk(Chunk) {}
5931 
5932     void VisitQualifiedTypeLoc(QualifiedTypeLoc TL) {
5933       llvm_unreachable("qualified type locs not expected here!");
5934     }
5935     void VisitDecayedTypeLoc(DecayedTypeLoc TL) {
5936       llvm_unreachable("decayed type locs not expected here!");
5937     }
5938 
5939     void VisitAttributedTypeLoc(AttributedTypeLoc TL) {
5940       fillAttributedTypeLoc(TL, State);
5941     }
5942     void VisitAdjustedTypeLoc(AdjustedTypeLoc TL) {
5943       // nothing
5944     }
5945     void VisitBlockPointerTypeLoc(BlockPointerTypeLoc TL) {
5946       assert(Chunk.Kind == DeclaratorChunk::BlockPointer);
5947       TL.setCaretLoc(Chunk.Loc);
5948     }
5949     void VisitPointerTypeLoc(PointerTypeLoc TL) {
5950       assert(Chunk.Kind == DeclaratorChunk::Pointer);
5951       TL.setStarLoc(Chunk.Loc);
5952     }
5953     void VisitObjCObjectPointerTypeLoc(ObjCObjectPointerTypeLoc TL) {
5954       assert(Chunk.Kind == DeclaratorChunk::Pointer);
5955       TL.setStarLoc(Chunk.Loc);
5956     }
5957     void VisitMemberPointerTypeLoc(MemberPointerTypeLoc TL) {
5958       assert(Chunk.Kind == DeclaratorChunk::MemberPointer);
5959       const CXXScopeSpec& SS = Chunk.Mem.Scope();
5960       NestedNameSpecifierLoc NNSLoc = SS.getWithLocInContext(Context);
5961 
5962       const Type* ClsTy = TL.getClass();
5963       QualType ClsQT = QualType(ClsTy, 0);
5964       TypeSourceInfo *ClsTInfo = Context.CreateTypeSourceInfo(ClsQT, 0);
5965       // Now copy source location info into the type loc component.
5966       TypeLoc ClsTL = ClsTInfo->getTypeLoc();
5967       switch (NNSLoc.getNestedNameSpecifier()->getKind()) {
5968       case NestedNameSpecifier::Identifier:
5969         assert(isa<DependentNameType>(ClsTy) && "Unexpected TypeLoc");
5970         {
5971           DependentNameTypeLoc DNTLoc = ClsTL.castAs<DependentNameTypeLoc>();
5972           DNTLoc.setElaboratedKeywordLoc(SourceLocation());
5973           DNTLoc.setQualifierLoc(NNSLoc.getPrefix());
5974           DNTLoc.setNameLoc(NNSLoc.getLocalBeginLoc());
5975         }
5976         break;
5977 
5978       case NestedNameSpecifier::TypeSpec:
5979       case NestedNameSpecifier::TypeSpecWithTemplate:
5980         if (isa<ElaboratedType>(ClsTy)) {
5981           ElaboratedTypeLoc ETLoc = ClsTL.castAs<ElaboratedTypeLoc>();
5982           ETLoc.setElaboratedKeywordLoc(SourceLocation());
5983           ETLoc.setQualifierLoc(NNSLoc.getPrefix());
5984           TypeLoc NamedTL = ETLoc.getNamedTypeLoc();
5985           NamedTL.initializeFullCopy(NNSLoc.getTypeLoc());
5986         } else {
5987           ClsTL.initializeFullCopy(NNSLoc.getTypeLoc());
5988         }
5989         break;
5990 
5991       case NestedNameSpecifier::Namespace:
5992       case NestedNameSpecifier::NamespaceAlias:
5993       case NestedNameSpecifier::Global:
5994       case NestedNameSpecifier::Super:
5995         llvm_unreachable("Nested-name-specifier must name a type");
5996       }
5997 
5998       // Finally fill in MemberPointerLocInfo fields.
5999       TL.setStarLoc(SourceLocation::getFromRawEncoding(Chunk.Mem.StarLoc));
6000       TL.setClassTInfo(ClsTInfo);
6001     }
6002     void VisitLValueReferenceTypeLoc(LValueReferenceTypeLoc TL) {
6003       assert(Chunk.Kind == DeclaratorChunk::Reference);
6004       // 'Amp' is misleading: this might have been originally
6005       /// spelled with AmpAmp.
6006       TL.setAmpLoc(Chunk.Loc);
6007     }
6008     void VisitRValueReferenceTypeLoc(RValueReferenceTypeLoc TL) {
6009       assert(Chunk.Kind == DeclaratorChunk::Reference);
6010       assert(!Chunk.Ref.LValueRef);
6011       TL.setAmpAmpLoc(Chunk.Loc);
6012     }
6013     void VisitArrayTypeLoc(ArrayTypeLoc TL) {
6014       assert(Chunk.Kind == DeclaratorChunk::Array);
6015       TL.setLBracketLoc(Chunk.Loc);
6016       TL.setRBracketLoc(Chunk.EndLoc);
6017       TL.setSizeExpr(static_cast<Expr*>(Chunk.Arr.NumElts));
6018     }
6019     void VisitFunctionTypeLoc(FunctionTypeLoc TL) {
6020       assert(Chunk.Kind == DeclaratorChunk::Function);
6021       TL.setLocalRangeBegin(Chunk.Loc);
6022       TL.setLocalRangeEnd(Chunk.EndLoc);
6023 
6024       const DeclaratorChunk::FunctionTypeInfo &FTI = Chunk.Fun;
6025       TL.setLParenLoc(FTI.getLParenLoc());
6026       TL.setRParenLoc(FTI.getRParenLoc());
6027       for (unsigned i = 0, e = TL.getNumParams(), tpi = 0; i != e; ++i) {
6028         ParmVarDecl *Param = cast<ParmVarDecl>(FTI.Params[i].Param);
6029         TL.setParam(tpi++, Param);
6030       }
6031       TL.setExceptionSpecRange(FTI.getExceptionSpecRange());
6032     }
6033     void VisitParenTypeLoc(ParenTypeLoc TL) {
6034       assert(Chunk.Kind == DeclaratorChunk::Paren);
6035       TL.setLParenLoc(Chunk.Loc);
6036       TL.setRParenLoc(Chunk.EndLoc);
6037     }
6038     void VisitPipeTypeLoc(PipeTypeLoc TL) {
6039       assert(Chunk.Kind == DeclaratorChunk::Pipe);
6040       TL.setKWLoc(Chunk.Loc);
6041     }
6042     void VisitExtIntTypeLoc(ExtIntTypeLoc TL) {
6043       TL.setNameLoc(Chunk.Loc);
6044     }
6045     void VisitMacroQualifiedTypeLoc(MacroQualifiedTypeLoc TL) {
6046       TL.setExpansionLoc(Chunk.Loc);
6047     }
6048 
6049     void VisitTypeLoc(TypeLoc TL) {
6050       llvm_unreachable("unsupported TypeLoc kind in declarator!");
6051     }
6052   };
6053 } // end anonymous namespace
6054 
6055 static void fillAtomicQualLoc(AtomicTypeLoc ATL, const DeclaratorChunk &Chunk) {
6056   SourceLocation Loc;
6057   switch (Chunk.Kind) {
6058   case DeclaratorChunk::Function:
6059   case DeclaratorChunk::Array:
6060   case DeclaratorChunk::Paren:
6061   case DeclaratorChunk::Pipe:
6062     llvm_unreachable("cannot be _Atomic qualified");
6063 
6064   case DeclaratorChunk::Pointer:
6065     Loc = SourceLocation::getFromRawEncoding(Chunk.Ptr.AtomicQualLoc);
6066     break;
6067 
6068   case DeclaratorChunk::BlockPointer:
6069   case DeclaratorChunk::Reference:
6070   case DeclaratorChunk::MemberPointer:
6071     // FIXME: Provide a source location for the _Atomic keyword.
6072     break;
6073   }
6074 
6075   ATL.setKWLoc(Loc);
6076   ATL.setParensRange(SourceRange());
6077 }
6078 
6079 static void
6080 fillDependentAddressSpaceTypeLoc(DependentAddressSpaceTypeLoc DASTL,
6081                                  const ParsedAttributesView &Attrs) {
6082   for (const ParsedAttr &AL : Attrs) {
6083     if (AL.getKind() == ParsedAttr::AT_AddressSpace) {
6084       DASTL.setAttrNameLoc(AL.getLoc());
6085       DASTL.setAttrExprOperand(AL.getArgAsExpr(0));
6086       DASTL.setAttrOperandParensRange(SourceRange());
6087       return;
6088     }
6089   }
6090 
6091   llvm_unreachable(
6092       "no address_space attribute found at the expected location!");
6093 }
6094 
6095 static void fillMatrixTypeLoc(MatrixTypeLoc MTL,
6096                               const ParsedAttributesView &Attrs) {
6097   for (const ParsedAttr &AL : Attrs) {
6098     if (AL.getKind() == ParsedAttr::AT_MatrixType) {
6099       MTL.setAttrNameLoc(AL.getLoc());
6100       MTL.setAttrRowOperand(AL.getArgAsExpr(0));
6101       MTL.setAttrColumnOperand(AL.getArgAsExpr(1));
6102       MTL.setAttrOperandParensRange(SourceRange());
6103       return;
6104     }
6105   }
6106 
6107   llvm_unreachable("no matrix_type attribute found at the expected location!");
6108 }
6109 
6110 /// Create and instantiate a TypeSourceInfo with type source information.
6111 ///
6112 /// \param T QualType referring to the type as written in source code.
6113 ///
6114 /// \param ReturnTypeInfo For declarators whose return type does not show
6115 /// up in the normal place in the declaration specifiers (such as a C++
6116 /// conversion function), this pointer will refer to a type source information
6117 /// for that return type.
6118 static TypeSourceInfo *
6119 GetTypeSourceInfoForDeclarator(TypeProcessingState &State,
6120                                QualType T, TypeSourceInfo *ReturnTypeInfo) {
6121   Sema &S = State.getSema();
6122   Declarator &D = State.getDeclarator();
6123 
6124   TypeSourceInfo *TInfo = S.Context.CreateTypeSourceInfo(T);
6125   UnqualTypeLoc CurrTL = TInfo->getTypeLoc().getUnqualifiedLoc();
6126 
6127   // Handle parameter packs whose type is a pack expansion.
6128   if (isa<PackExpansionType>(T)) {
6129     CurrTL.castAs<PackExpansionTypeLoc>().setEllipsisLoc(D.getEllipsisLoc());
6130     CurrTL = CurrTL.getNextTypeLoc().getUnqualifiedLoc();
6131   }
6132 
6133   for (unsigned i = 0, e = D.getNumTypeObjects(); i != e; ++i) {
6134     // An AtomicTypeLoc might be produced by an atomic qualifier in this
6135     // declarator chunk.
6136     if (AtomicTypeLoc ATL = CurrTL.getAs<AtomicTypeLoc>()) {
6137       fillAtomicQualLoc(ATL, D.getTypeObject(i));
6138       CurrTL = ATL.getValueLoc().getUnqualifiedLoc();
6139     }
6140 
6141     while (MacroQualifiedTypeLoc TL = CurrTL.getAs<MacroQualifiedTypeLoc>()) {
6142       TL.setExpansionLoc(
6143           State.getExpansionLocForMacroQualifiedType(TL.getTypePtr()));
6144       CurrTL = TL.getNextTypeLoc().getUnqualifiedLoc();
6145     }
6146 
6147     while (AttributedTypeLoc TL = CurrTL.getAs<AttributedTypeLoc>()) {
6148       fillAttributedTypeLoc(TL, State);
6149       CurrTL = TL.getNextTypeLoc().getUnqualifiedLoc();
6150     }
6151 
6152     while (DependentAddressSpaceTypeLoc TL =
6153                CurrTL.getAs<DependentAddressSpaceTypeLoc>()) {
6154       fillDependentAddressSpaceTypeLoc(TL, D.getTypeObject(i).getAttrs());
6155       CurrTL = TL.getPointeeTypeLoc().getUnqualifiedLoc();
6156     }
6157 
6158     if (MatrixTypeLoc TL = CurrTL.getAs<MatrixTypeLoc>())
6159       fillMatrixTypeLoc(TL, D.getTypeObject(i).getAttrs());
6160 
6161     // FIXME: Ordering here?
6162     while (AdjustedTypeLoc TL = CurrTL.getAs<AdjustedTypeLoc>())
6163       CurrTL = TL.getNextTypeLoc().getUnqualifiedLoc();
6164 
6165     DeclaratorLocFiller(S.Context, State, D.getTypeObject(i)).Visit(CurrTL);
6166     CurrTL = CurrTL.getNextTypeLoc().getUnqualifiedLoc();
6167   }
6168 
6169   // If we have different source information for the return type, use
6170   // that.  This really only applies to C++ conversion functions.
6171   if (ReturnTypeInfo) {
6172     TypeLoc TL = ReturnTypeInfo->getTypeLoc();
6173     assert(TL.getFullDataSize() == CurrTL.getFullDataSize());
6174     memcpy(CurrTL.getOpaqueData(), TL.getOpaqueData(), TL.getFullDataSize());
6175   } else {
6176     TypeSpecLocFiller(S, S.Context, State, D.getDeclSpec()).Visit(CurrTL);
6177   }
6178 
6179   return TInfo;
6180 }
6181 
6182 /// Create a LocInfoType to hold the given QualType and TypeSourceInfo.
6183 ParsedType Sema::CreateParsedType(QualType T, TypeSourceInfo *TInfo) {
6184   // FIXME: LocInfoTypes are "transient", only needed for passing to/from Parser
6185   // and Sema during declaration parsing. Try deallocating/caching them when
6186   // it's appropriate, instead of allocating them and keeping them around.
6187   LocInfoType *LocT = (LocInfoType*)BumpAlloc.Allocate(sizeof(LocInfoType),
6188                                                        TypeAlignment);
6189   new (LocT) LocInfoType(T, TInfo);
6190   assert(LocT->getTypeClass() != T->getTypeClass() &&
6191          "LocInfoType's TypeClass conflicts with an existing Type class");
6192   return ParsedType::make(QualType(LocT, 0));
6193 }
6194 
6195 void LocInfoType::getAsStringInternal(std::string &Str,
6196                                       const PrintingPolicy &Policy) const {
6197   llvm_unreachable("LocInfoType leaked into the type system; an opaque TypeTy*"
6198          " was used directly instead of getting the QualType through"
6199          " GetTypeFromParser");
6200 }
6201 
6202 TypeResult Sema::ActOnTypeName(Scope *S, Declarator &D) {
6203   // C99 6.7.6: Type names have no identifier.  This is already validated by
6204   // the parser.
6205   assert(D.getIdentifier() == nullptr &&
6206          "Type name should have no identifier!");
6207 
6208   TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S);
6209   QualType T = TInfo->getType();
6210   if (D.isInvalidType())
6211     return true;
6212 
6213   // Make sure there are no unused decl attributes on the declarator.
6214   // We don't want to do this for ObjC parameters because we're going
6215   // to apply them to the actual parameter declaration.
6216   // Likewise, we don't want to do this for alias declarations, because
6217   // we are actually going to build a declaration from this eventually.
6218   if (D.getContext() != DeclaratorContext::ObjCParameterContext &&
6219       D.getContext() != DeclaratorContext::AliasDeclContext &&
6220       D.getContext() != DeclaratorContext::AliasTemplateContext)
6221     checkUnusedDeclAttributes(D);
6222 
6223   if (getLangOpts().CPlusPlus) {
6224     // Check that there are no default arguments (C++ only).
6225     CheckExtraCXXDefaultArguments(D);
6226   }
6227 
6228   return CreateParsedType(T, TInfo);
6229 }
6230 
6231 ParsedType Sema::ActOnObjCInstanceType(SourceLocation Loc) {
6232   QualType T = Context.getObjCInstanceType();
6233   TypeSourceInfo *TInfo = Context.getTrivialTypeSourceInfo(T, Loc);
6234   return CreateParsedType(T, TInfo);
6235 }
6236 
6237 //===----------------------------------------------------------------------===//
6238 // Type Attribute Processing
6239 //===----------------------------------------------------------------------===//
6240 
6241 /// Build an AddressSpace index from a constant expression and diagnose any
6242 /// errors related to invalid address_spaces. Returns true on successfully
6243 /// building an AddressSpace index.
6244 static bool BuildAddressSpaceIndex(Sema &S, LangAS &ASIdx,
6245                                    const Expr *AddrSpace,
6246                                    SourceLocation AttrLoc) {
6247   if (!AddrSpace->isValueDependent()) {
6248     llvm::APSInt addrSpace(32);
6249     if (!AddrSpace->isIntegerConstantExpr(addrSpace, S.Context)) {
6250       S.Diag(AttrLoc, diag::err_attribute_argument_type)
6251           << "'address_space'" << AANT_ArgumentIntegerConstant
6252           << AddrSpace->getSourceRange();
6253       return false;
6254     }
6255 
6256     // Bounds checking.
6257     if (addrSpace.isSigned()) {
6258       if (addrSpace.isNegative()) {
6259         S.Diag(AttrLoc, diag::err_attribute_address_space_negative)
6260             << AddrSpace->getSourceRange();
6261         return false;
6262       }
6263       addrSpace.setIsSigned(false);
6264     }
6265 
6266     llvm::APSInt max(addrSpace.getBitWidth());
6267     max =
6268         Qualifiers::MaxAddressSpace - (unsigned)LangAS::FirstTargetAddressSpace;
6269     if (addrSpace > max) {
6270       S.Diag(AttrLoc, diag::err_attribute_address_space_too_high)
6271           << (unsigned)max.getZExtValue() << AddrSpace->getSourceRange();
6272       return false;
6273     }
6274 
6275     ASIdx =
6276         getLangASFromTargetAS(static_cast<unsigned>(addrSpace.getZExtValue()));
6277     return true;
6278   }
6279 
6280   // Default value for DependentAddressSpaceTypes
6281   ASIdx = LangAS::Default;
6282   return true;
6283 }
6284 
6285 /// BuildAddressSpaceAttr - Builds a DependentAddressSpaceType if an expression
6286 /// is uninstantiated. If instantiated it will apply the appropriate address
6287 /// space to the type. This function allows dependent template variables to be
6288 /// used in conjunction with the address_space attribute
6289 QualType Sema::BuildAddressSpaceAttr(QualType &T, LangAS ASIdx, Expr *AddrSpace,
6290                                      SourceLocation AttrLoc) {
6291   if (!AddrSpace->isValueDependent()) {
6292     if (DiagnoseMultipleAddrSpaceAttributes(*this, T.getAddressSpace(), ASIdx,
6293                                             AttrLoc))
6294       return QualType();
6295 
6296     return Context.getAddrSpaceQualType(T, ASIdx);
6297   }
6298 
6299   // A check with similar intentions as checking if a type already has an
6300   // address space except for on a dependent types, basically if the
6301   // current type is already a DependentAddressSpaceType then its already
6302   // lined up to have another address space on it and we can't have
6303   // multiple address spaces on the one pointer indirection
6304   if (T->getAs<DependentAddressSpaceType>()) {
6305     Diag(AttrLoc, diag::err_attribute_address_multiple_qualifiers);
6306     return QualType();
6307   }
6308 
6309   return Context.getDependentAddressSpaceType(T, AddrSpace, AttrLoc);
6310 }
6311 
6312 QualType Sema::BuildAddressSpaceAttr(QualType &T, Expr *AddrSpace,
6313                                      SourceLocation AttrLoc) {
6314   LangAS ASIdx;
6315   if (!BuildAddressSpaceIndex(*this, ASIdx, AddrSpace, AttrLoc))
6316     return QualType();
6317   return BuildAddressSpaceAttr(T, ASIdx, AddrSpace, AttrLoc);
6318 }
6319 
6320 /// HandleAddressSpaceTypeAttribute - Process an address_space attribute on the
6321 /// specified type.  The attribute contains 1 argument, the id of the address
6322 /// space for the type.
6323 static void HandleAddressSpaceTypeAttribute(QualType &Type,
6324                                             const ParsedAttr &Attr,
6325                                             TypeProcessingState &State) {
6326   Sema &S = State.getSema();
6327 
6328   // ISO/IEC TR 18037 S5.3 (amending C99 6.7.3): "A function type shall not be
6329   // qualified by an address-space qualifier."
6330   if (Type->isFunctionType()) {
6331     S.Diag(Attr.getLoc(), diag::err_attribute_address_function_type);
6332     Attr.setInvalid();
6333     return;
6334   }
6335 
6336   LangAS ASIdx;
6337   if (Attr.getKind() == ParsedAttr::AT_AddressSpace) {
6338 
6339     // Check the attribute arguments.
6340     if (Attr.getNumArgs() != 1) {
6341       S.Diag(Attr.getLoc(), diag::err_attribute_wrong_number_arguments) << Attr
6342                                                                         << 1;
6343       Attr.setInvalid();
6344       return;
6345     }
6346 
6347     Expr *ASArgExpr;
6348     if (Attr.isArgIdent(0)) {
6349       // Special case where the argument is a template id.
6350       CXXScopeSpec SS;
6351       SourceLocation TemplateKWLoc;
6352       UnqualifiedId id;
6353       id.setIdentifier(Attr.getArgAsIdent(0)->Ident, Attr.getLoc());
6354 
6355       ExprResult AddrSpace = S.ActOnIdExpression(
6356           S.getCurScope(), SS, TemplateKWLoc, id, /*HasTrailingLParen=*/false,
6357           /*IsAddressOfOperand=*/false);
6358       if (AddrSpace.isInvalid())
6359         return;
6360 
6361       ASArgExpr = static_cast<Expr *>(AddrSpace.get());
6362     } else {
6363       ASArgExpr = static_cast<Expr *>(Attr.getArgAsExpr(0));
6364     }
6365 
6366     LangAS ASIdx;
6367     if (!BuildAddressSpaceIndex(S, ASIdx, ASArgExpr, Attr.getLoc())) {
6368       Attr.setInvalid();
6369       return;
6370     }
6371 
6372     ASTContext &Ctx = S.Context;
6373     auto *ASAttr =
6374         ::new (Ctx) AddressSpaceAttr(Ctx, Attr, static_cast<unsigned>(ASIdx));
6375 
6376     // If the expression is not value dependent (not templated), then we can
6377     // apply the address space qualifiers just to the equivalent type.
6378     // Otherwise, we make an AttributedType with the modified and equivalent
6379     // type the same, and wrap it in a DependentAddressSpaceType. When this
6380     // dependent type is resolved, the qualifier is added to the equivalent type
6381     // later.
6382     QualType T;
6383     if (!ASArgExpr->isValueDependent()) {
6384       QualType EquivType =
6385           S.BuildAddressSpaceAttr(Type, ASIdx, ASArgExpr, Attr.getLoc());
6386       if (EquivType.isNull()) {
6387         Attr.setInvalid();
6388         return;
6389       }
6390       T = State.getAttributedType(ASAttr, Type, EquivType);
6391     } else {
6392       T = State.getAttributedType(ASAttr, Type, Type);
6393       T = S.BuildAddressSpaceAttr(T, ASIdx, ASArgExpr, Attr.getLoc());
6394     }
6395 
6396     if (!T.isNull())
6397       Type = T;
6398     else
6399       Attr.setInvalid();
6400   } else {
6401     // The keyword-based type attributes imply which address space to use.
6402     ASIdx = Attr.asOpenCLLangAS();
6403     if (ASIdx == LangAS::Default)
6404       llvm_unreachable("Invalid address space");
6405 
6406     if (DiagnoseMultipleAddrSpaceAttributes(S, Type.getAddressSpace(), ASIdx,
6407                                             Attr.getLoc())) {
6408       Attr.setInvalid();
6409       return;
6410     }
6411 
6412     Type = S.Context.getAddrSpaceQualType(Type, ASIdx);
6413   }
6414 }
6415 
6416 /// handleObjCOwnershipTypeAttr - Process an objc_ownership
6417 /// attribute on the specified type.
6418 ///
6419 /// Returns 'true' if the attribute was handled.
6420 static bool handleObjCOwnershipTypeAttr(TypeProcessingState &state,
6421                                         ParsedAttr &attr, QualType &type) {
6422   bool NonObjCPointer = false;
6423 
6424   if (!type->isDependentType() && !type->isUndeducedType()) {
6425     if (const PointerType *ptr = type->getAs<PointerType>()) {
6426       QualType pointee = ptr->getPointeeType();
6427       if (pointee->isObjCRetainableType() || pointee->isPointerType())
6428         return false;
6429       // It is important not to lose the source info that there was an attribute
6430       // applied to non-objc pointer. We will create an attributed type but
6431       // its type will be the same as the original type.
6432       NonObjCPointer = true;
6433     } else if (!type->isObjCRetainableType()) {
6434       return false;
6435     }
6436 
6437     // Don't accept an ownership attribute in the declspec if it would
6438     // just be the return type of a block pointer.
6439     if (state.isProcessingDeclSpec()) {
6440       Declarator &D = state.getDeclarator();
6441       if (maybeMovePastReturnType(D, D.getNumTypeObjects(),
6442                                   /*onlyBlockPointers=*/true))
6443         return false;
6444     }
6445   }
6446 
6447   Sema &S = state.getSema();
6448   SourceLocation AttrLoc = attr.getLoc();
6449   if (AttrLoc.isMacroID())
6450     AttrLoc =
6451         S.getSourceManager().getImmediateExpansionRange(AttrLoc).getBegin();
6452 
6453   if (!attr.isArgIdent(0)) {
6454     S.Diag(AttrLoc, diag::err_attribute_argument_type) << attr
6455                                                        << AANT_ArgumentString;
6456     attr.setInvalid();
6457     return true;
6458   }
6459 
6460   IdentifierInfo *II = attr.getArgAsIdent(0)->Ident;
6461   Qualifiers::ObjCLifetime lifetime;
6462   if (II->isStr("none"))
6463     lifetime = Qualifiers::OCL_ExplicitNone;
6464   else if (II->isStr("strong"))
6465     lifetime = Qualifiers::OCL_Strong;
6466   else if (II->isStr("weak"))
6467     lifetime = Qualifiers::OCL_Weak;
6468   else if (II->isStr("autoreleasing"))
6469     lifetime = Qualifiers::OCL_Autoreleasing;
6470   else {
6471     S.Diag(AttrLoc, diag::warn_attribute_type_not_supported) << attr << II;
6472     attr.setInvalid();
6473     return true;
6474   }
6475 
6476   // Just ignore lifetime attributes other than __weak and __unsafe_unretained
6477   // outside of ARC mode.
6478   if (!S.getLangOpts().ObjCAutoRefCount &&
6479       lifetime != Qualifiers::OCL_Weak &&
6480       lifetime != Qualifiers::OCL_ExplicitNone) {
6481     return true;
6482   }
6483 
6484   SplitQualType underlyingType = type.split();
6485 
6486   // Check for redundant/conflicting ownership qualifiers.
6487   if (Qualifiers::ObjCLifetime previousLifetime
6488         = type.getQualifiers().getObjCLifetime()) {
6489     // If it's written directly, that's an error.
6490     if (S.Context.hasDirectOwnershipQualifier(type)) {
6491       S.Diag(AttrLoc, diag::err_attr_objc_ownership_redundant)
6492         << type;
6493       return true;
6494     }
6495 
6496     // Otherwise, if the qualifiers actually conflict, pull sugar off
6497     // and remove the ObjCLifetime qualifiers.
6498     if (previousLifetime != lifetime) {
6499       // It's possible to have multiple local ObjCLifetime qualifiers. We
6500       // can't stop after we reach a type that is directly qualified.
6501       const Type *prevTy = nullptr;
6502       while (!prevTy || prevTy != underlyingType.Ty) {
6503         prevTy = underlyingType.Ty;
6504         underlyingType = underlyingType.getSingleStepDesugaredType();
6505       }
6506       underlyingType.Quals.removeObjCLifetime();
6507     }
6508   }
6509 
6510   underlyingType.Quals.addObjCLifetime(lifetime);
6511 
6512   if (NonObjCPointer) {
6513     StringRef name = attr.getAttrName()->getName();
6514     switch (lifetime) {
6515     case Qualifiers::OCL_None:
6516     case Qualifiers::OCL_ExplicitNone:
6517       break;
6518     case Qualifiers::OCL_Strong: name = "__strong"; break;
6519     case Qualifiers::OCL_Weak: name = "__weak"; break;
6520     case Qualifiers::OCL_Autoreleasing: name = "__autoreleasing"; break;
6521     }
6522     S.Diag(AttrLoc, diag::warn_type_attribute_wrong_type) << name
6523       << TDS_ObjCObjOrBlock << type;
6524   }
6525 
6526   // Don't actually add the __unsafe_unretained qualifier in non-ARC files,
6527   // because having both 'T' and '__unsafe_unretained T' exist in the type
6528   // system causes unfortunate widespread consistency problems.  (For example,
6529   // they're not considered compatible types, and we mangle them identicially
6530   // as template arguments.)  These problems are all individually fixable,
6531   // but it's easier to just not add the qualifier and instead sniff it out
6532   // in specific places using isObjCInertUnsafeUnretainedType().
6533   //
6534   // Doing this does means we miss some trivial consistency checks that
6535   // would've triggered in ARC, but that's better than trying to solve all
6536   // the coexistence problems with __unsafe_unretained.
6537   if (!S.getLangOpts().ObjCAutoRefCount &&
6538       lifetime == Qualifiers::OCL_ExplicitNone) {
6539     type = state.getAttributedType(
6540         createSimpleAttr<ObjCInertUnsafeUnretainedAttr>(S.Context, attr),
6541         type, type);
6542     return true;
6543   }
6544 
6545   QualType origType = type;
6546   if (!NonObjCPointer)
6547     type = S.Context.getQualifiedType(underlyingType);
6548 
6549   // If we have a valid source location for the attribute, use an
6550   // AttributedType instead.
6551   if (AttrLoc.isValid()) {
6552     type = state.getAttributedType(::new (S.Context)
6553                                        ObjCOwnershipAttr(S.Context, attr, II),
6554                                    origType, type);
6555   }
6556 
6557   auto diagnoseOrDelay = [](Sema &S, SourceLocation loc,
6558                             unsigned diagnostic, QualType type) {
6559     if (S.DelayedDiagnostics.shouldDelayDiagnostics()) {
6560       S.DelayedDiagnostics.add(
6561           sema::DelayedDiagnostic::makeForbiddenType(
6562               S.getSourceManager().getExpansionLoc(loc),
6563               diagnostic, type, /*ignored*/ 0));
6564     } else {
6565       S.Diag(loc, diagnostic);
6566     }
6567   };
6568 
6569   // Sometimes, __weak isn't allowed.
6570   if (lifetime == Qualifiers::OCL_Weak &&
6571       !S.getLangOpts().ObjCWeak && !NonObjCPointer) {
6572 
6573     // Use a specialized diagnostic if the runtime just doesn't support them.
6574     unsigned diagnostic =
6575       (S.getLangOpts().ObjCWeakRuntime ? diag::err_arc_weak_disabled
6576                                        : diag::err_arc_weak_no_runtime);
6577 
6578     // In any case, delay the diagnostic until we know what we're parsing.
6579     diagnoseOrDelay(S, AttrLoc, diagnostic, type);
6580 
6581     attr.setInvalid();
6582     return true;
6583   }
6584 
6585   // Forbid __weak for class objects marked as
6586   // objc_arc_weak_reference_unavailable
6587   if (lifetime == Qualifiers::OCL_Weak) {
6588     if (const ObjCObjectPointerType *ObjT =
6589           type->getAs<ObjCObjectPointerType>()) {
6590       if (ObjCInterfaceDecl *Class = ObjT->getInterfaceDecl()) {
6591         if (Class->isArcWeakrefUnavailable()) {
6592           S.Diag(AttrLoc, diag::err_arc_unsupported_weak_class);
6593           S.Diag(ObjT->getInterfaceDecl()->getLocation(),
6594                  diag::note_class_declared);
6595         }
6596       }
6597     }
6598   }
6599 
6600   return true;
6601 }
6602 
6603 /// handleObjCGCTypeAttr - Process the __attribute__((objc_gc)) type
6604 /// attribute on the specified type.  Returns true to indicate that
6605 /// the attribute was handled, false to indicate that the type does
6606 /// not permit the attribute.
6607 static bool handleObjCGCTypeAttr(TypeProcessingState &state, ParsedAttr &attr,
6608                                  QualType &type) {
6609   Sema &S = state.getSema();
6610 
6611   // Delay if this isn't some kind of pointer.
6612   if (!type->isPointerType() &&
6613       !type->isObjCObjectPointerType() &&
6614       !type->isBlockPointerType())
6615     return false;
6616 
6617   if (type.getObjCGCAttr() != Qualifiers::GCNone) {
6618     S.Diag(attr.getLoc(), diag::err_attribute_multiple_objc_gc);
6619     attr.setInvalid();
6620     return true;
6621   }
6622 
6623   // Check the attribute arguments.
6624   if (!attr.isArgIdent(0)) {
6625     S.Diag(attr.getLoc(), diag::err_attribute_argument_type)
6626         << attr << AANT_ArgumentString;
6627     attr.setInvalid();
6628     return true;
6629   }
6630   Qualifiers::GC GCAttr;
6631   if (attr.getNumArgs() > 1) {
6632     S.Diag(attr.getLoc(), diag::err_attribute_wrong_number_arguments) << attr
6633                                                                       << 1;
6634     attr.setInvalid();
6635     return true;
6636   }
6637 
6638   IdentifierInfo *II = attr.getArgAsIdent(0)->Ident;
6639   if (II->isStr("weak"))
6640     GCAttr = Qualifiers::Weak;
6641   else if (II->isStr("strong"))
6642     GCAttr = Qualifiers::Strong;
6643   else {
6644     S.Diag(attr.getLoc(), diag::warn_attribute_type_not_supported)
6645         << attr << II;
6646     attr.setInvalid();
6647     return true;
6648   }
6649 
6650   QualType origType = type;
6651   type = S.Context.getObjCGCQualType(origType, GCAttr);
6652 
6653   // Make an attributed type to preserve the source information.
6654   if (attr.getLoc().isValid())
6655     type = state.getAttributedType(
6656         ::new (S.Context) ObjCGCAttr(S.Context, attr, II), origType, type);
6657 
6658   return true;
6659 }
6660 
6661 namespace {
6662   /// A helper class to unwrap a type down to a function for the
6663   /// purposes of applying attributes there.
6664   ///
6665   /// Use:
6666   ///   FunctionTypeUnwrapper unwrapped(SemaRef, T);
6667   ///   if (unwrapped.isFunctionType()) {
6668   ///     const FunctionType *fn = unwrapped.get();
6669   ///     // change fn somehow
6670   ///     T = unwrapped.wrap(fn);
6671   ///   }
6672   struct FunctionTypeUnwrapper {
6673     enum WrapKind {
6674       Desugar,
6675       Attributed,
6676       Parens,
6677       Array,
6678       Pointer,
6679       BlockPointer,
6680       Reference,
6681       MemberPointer,
6682       MacroQualified,
6683     };
6684 
6685     QualType Original;
6686     const FunctionType *Fn;
6687     SmallVector<unsigned char /*WrapKind*/, 8> Stack;
6688 
6689     FunctionTypeUnwrapper(Sema &S, QualType T) : Original(T) {
6690       while (true) {
6691         const Type *Ty = T.getTypePtr();
6692         if (isa<FunctionType>(Ty)) {
6693           Fn = cast<FunctionType>(Ty);
6694           return;
6695         } else if (isa<ParenType>(Ty)) {
6696           T = cast<ParenType>(Ty)->getInnerType();
6697           Stack.push_back(Parens);
6698         } else if (isa<ConstantArrayType>(Ty) || isa<VariableArrayType>(Ty) ||
6699                    isa<IncompleteArrayType>(Ty)) {
6700           T = cast<ArrayType>(Ty)->getElementType();
6701           Stack.push_back(Array);
6702         } else if (isa<PointerType>(Ty)) {
6703           T = cast<PointerType>(Ty)->getPointeeType();
6704           Stack.push_back(Pointer);
6705         } else if (isa<BlockPointerType>(Ty)) {
6706           T = cast<BlockPointerType>(Ty)->getPointeeType();
6707           Stack.push_back(BlockPointer);
6708         } else if (isa<MemberPointerType>(Ty)) {
6709           T = cast<MemberPointerType>(Ty)->getPointeeType();
6710           Stack.push_back(MemberPointer);
6711         } else if (isa<ReferenceType>(Ty)) {
6712           T = cast<ReferenceType>(Ty)->getPointeeType();
6713           Stack.push_back(Reference);
6714         } else if (isa<AttributedType>(Ty)) {
6715           T = cast<AttributedType>(Ty)->getEquivalentType();
6716           Stack.push_back(Attributed);
6717         } else if (isa<MacroQualifiedType>(Ty)) {
6718           T = cast<MacroQualifiedType>(Ty)->getUnderlyingType();
6719           Stack.push_back(MacroQualified);
6720         } else {
6721           const Type *DTy = Ty->getUnqualifiedDesugaredType();
6722           if (Ty == DTy) {
6723             Fn = nullptr;
6724             return;
6725           }
6726 
6727           T = QualType(DTy, 0);
6728           Stack.push_back(Desugar);
6729         }
6730       }
6731     }
6732 
6733     bool isFunctionType() const { return (Fn != nullptr); }
6734     const FunctionType *get() const { return Fn; }
6735 
6736     QualType wrap(Sema &S, const FunctionType *New) {
6737       // If T wasn't modified from the unwrapped type, do nothing.
6738       if (New == get()) return Original;
6739 
6740       Fn = New;
6741       return wrap(S.Context, Original, 0);
6742     }
6743 
6744   private:
6745     QualType wrap(ASTContext &C, QualType Old, unsigned I) {
6746       if (I == Stack.size())
6747         return C.getQualifiedType(Fn, Old.getQualifiers());
6748 
6749       // Build up the inner type, applying the qualifiers from the old
6750       // type to the new type.
6751       SplitQualType SplitOld = Old.split();
6752 
6753       // As a special case, tail-recurse if there are no qualifiers.
6754       if (SplitOld.Quals.empty())
6755         return wrap(C, SplitOld.Ty, I);
6756       return C.getQualifiedType(wrap(C, SplitOld.Ty, I), SplitOld.Quals);
6757     }
6758 
6759     QualType wrap(ASTContext &C, const Type *Old, unsigned I) {
6760       if (I == Stack.size()) return QualType(Fn, 0);
6761 
6762       switch (static_cast<WrapKind>(Stack[I++])) {
6763       case Desugar:
6764         // This is the point at which we potentially lose source
6765         // information.
6766         return wrap(C, Old->getUnqualifiedDesugaredType(), I);
6767 
6768       case Attributed:
6769         return wrap(C, cast<AttributedType>(Old)->getEquivalentType(), I);
6770 
6771       case Parens: {
6772         QualType New = wrap(C, cast<ParenType>(Old)->getInnerType(), I);
6773         return C.getParenType(New);
6774       }
6775 
6776       case MacroQualified:
6777         return wrap(C, cast<MacroQualifiedType>(Old)->getUnderlyingType(), I);
6778 
6779       case Array: {
6780         if (const auto *CAT = dyn_cast<ConstantArrayType>(Old)) {
6781           QualType New = wrap(C, CAT->getElementType(), I);
6782           return C.getConstantArrayType(New, CAT->getSize(), CAT->getSizeExpr(),
6783                                         CAT->getSizeModifier(),
6784                                         CAT->getIndexTypeCVRQualifiers());
6785         }
6786 
6787         if (const auto *VAT = dyn_cast<VariableArrayType>(Old)) {
6788           QualType New = wrap(C, VAT->getElementType(), I);
6789           return C.getVariableArrayType(
6790               New, VAT->getSizeExpr(), VAT->getSizeModifier(),
6791               VAT->getIndexTypeCVRQualifiers(), VAT->getBracketsRange());
6792         }
6793 
6794         const auto *IAT = cast<IncompleteArrayType>(Old);
6795         QualType New = wrap(C, IAT->getElementType(), I);
6796         return C.getIncompleteArrayType(New, IAT->getSizeModifier(),
6797                                         IAT->getIndexTypeCVRQualifiers());
6798       }
6799 
6800       case Pointer: {
6801         QualType New = wrap(C, cast<PointerType>(Old)->getPointeeType(), I);
6802         return C.getPointerType(New);
6803       }
6804 
6805       case BlockPointer: {
6806         QualType New = wrap(C, cast<BlockPointerType>(Old)->getPointeeType(),I);
6807         return C.getBlockPointerType(New);
6808       }
6809 
6810       case MemberPointer: {
6811         const MemberPointerType *OldMPT = cast<MemberPointerType>(Old);
6812         QualType New = wrap(C, OldMPT->getPointeeType(), I);
6813         return C.getMemberPointerType(New, OldMPT->getClass());
6814       }
6815 
6816       case Reference: {
6817         const ReferenceType *OldRef = cast<ReferenceType>(Old);
6818         QualType New = wrap(C, OldRef->getPointeeType(), I);
6819         if (isa<LValueReferenceType>(OldRef))
6820           return C.getLValueReferenceType(New, OldRef->isSpelledAsLValue());
6821         else
6822           return C.getRValueReferenceType(New);
6823       }
6824       }
6825 
6826       llvm_unreachable("unknown wrapping kind");
6827     }
6828   };
6829 } // end anonymous namespace
6830 
6831 static bool handleMSPointerTypeQualifierAttr(TypeProcessingState &State,
6832                                              ParsedAttr &PAttr, QualType &Type) {
6833   Sema &S = State.getSema();
6834 
6835   Attr *A;
6836   switch (PAttr.getKind()) {
6837   default: llvm_unreachable("Unknown attribute kind");
6838   case ParsedAttr::AT_Ptr32:
6839     A = createSimpleAttr<Ptr32Attr>(S.Context, PAttr);
6840     break;
6841   case ParsedAttr::AT_Ptr64:
6842     A = createSimpleAttr<Ptr64Attr>(S.Context, PAttr);
6843     break;
6844   case ParsedAttr::AT_SPtr:
6845     A = createSimpleAttr<SPtrAttr>(S.Context, PAttr);
6846     break;
6847   case ParsedAttr::AT_UPtr:
6848     A = createSimpleAttr<UPtrAttr>(S.Context, PAttr);
6849     break;
6850   }
6851 
6852   llvm::SmallSet<attr::Kind, 2> Attrs;
6853   attr::Kind NewAttrKind = A->getKind();
6854   QualType Desugared = Type;
6855   const AttributedType *AT = dyn_cast<AttributedType>(Type);
6856   while (AT) {
6857     Attrs.insert(AT->getAttrKind());
6858     Desugared = AT->getModifiedType();
6859     AT = dyn_cast<AttributedType>(Desugared);
6860   }
6861 
6862   // You cannot specify duplicate type attributes, so if the attribute has
6863   // already been applied, flag it.
6864   if (Attrs.count(NewAttrKind)) {
6865     S.Diag(PAttr.getLoc(), diag::warn_duplicate_attribute_exact) << PAttr;
6866     return true;
6867   }
6868   Attrs.insert(NewAttrKind);
6869 
6870   // You cannot have both __sptr and __uptr on the same type, nor can you
6871   // have __ptr32 and __ptr64.
6872   if (Attrs.count(attr::Ptr32) && Attrs.count(attr::Ptr64)) {
6873     S.Diag(PAttr.getLoc(), diag::err_attributes_are_not_compatible)
6874         << "'__ptr32'"
6875         << "'__ptr64'";
6876     return true;
6877   } else if (Attrs.count(attr::SPtr) && Attrs.count(attr::UPtr)) {
6878     S.Diag(PAttr.getLoc(), diag::err_attributes_are_not_compatible)
6879         << "'__sptr'"
6880         << "'__uptr'";
6881     return true;
6882   }
6883 
6884   // Pointer type qualifiers can only operate on pointer types, but not
6885   // pointer-to-member types.
6886   //
6887   // FIXME: Should we really be disallowing this attribute if there is any
6888   // type sugar between it and the pointer (other than attributes)? Eg, this
6889   // disallows the attribute on a parenthesized pointer.
6890   // And if so, should we really allow *any* type attribute?
6891   if (!isa<PointerType>(Desugared)) {
6892     if (Type->isMemberPointerType())
6893       S.Diag(PAttr.getLoc(), diag::err_attribute_no_member_pointers) << PAttr;
6894     else
6895       S.Diag(PAttr.getLoc(), diag::err_attribute_pointers_only) << PAttr << 0;
6896     return true;
6897   }
6898 
6899   // Add address space to type based on its attributes.
6900   LangAS ASIdx = LangAS::Default;
6901   uint64_t PtrWidth = S.Context.getTargetInfo().getPointerWidth(0);
6902   if (PtrWidth == 32) {
6903     if (Attrs.count(attr::Ptr64))
6904       ASIdx = LangAS::ptr64;
6905     else if (Attrs.count(attr::UPtr))
6906       ASIdx = LangAS::ptr32_uptr;
6907   } else if (PtrWidth == 64 && Attrs.count(attr::Ptr32)) {
6908     if (Attrs.count(attr::UPtr))
6909       ASIdx = LangAS::ptr32_uptr;
6910     else
6911       ASIdx = LangAS::ptr32_sptr;
6912   }
6913 
6914   QualType Pointee = Type->getPointeeType();
6915   if (ASIdx != LangAS::Default)
6916     Pointee = S.Context.getAddrSpaceQualType(
6917         S.Context.removeAddrSpaceQualType(Pointee), ASIdx);
6918   Type = State.getAttributedType(A, Type, S.Context.getPointerType(Pointee));
6919   return false;
6920 }
6921 
6922 /// Map a nullability attribute kind to a nullability kind.
6923 static NullabilityKind mapNullabilityAttrKind(ParsedAttr::Kind kind) {
6924   switch (kind) {
6925   case ParsedAttr::AT_TypeNonNull:
6926     return NullabilityKind::NonNull;
6927 
6928   case ParsedAttr::AT_TypeNullable:
6929     return NullabilityKind::Nullable;
6930 
6931   case ParsedAttr::AT_TypeNullUnspecified:
6932     return NullabilityKind::Unspecified;
6933 
6934   default:
6935     llvm_unreachable("not a nullability attribute kind");
6936   }
6937 }
6938 
6939 /// Applies a nullability type specifier to the given type, if possible.
6940 ///
6941 /// \param state The type processing state.
6942 ///
6943 /// \param type The type to which the nullability specifier will be
6944 /// added. On success, this type will be updated appropriately.
6945 ///
6946 /// \param attr The attribute as written on the type.
6947 ///
6948 /// \param allowOnArrayType Whether to accept nullability specifiers on an
6949 /// array type (e.g., because it will decay to a pointer).
6950 ///
6951 /// \returns true if a problem has been diagnosed, false on success.
6952 static bool checkNullabilityTypeSpecifier(TypeProcessingState &state,
6953                                           QualType &type,
6954                                           ParsedAttr &attr,
6955                                           bool allowOnArrayType) {
6956   Sema &S = state.getSema();
6957 
6958   NullabilityKind nullability = mapNullabilityAttrKind(attr.getKind());
6959   SourceLocation nullabilityLoc = attr.getLoc();
6960   bool isContextSensitive = attr.isContextSensitiveKeywordAttribute();
6961 
6962   recordNullabilitySeen(S, nullabilityLoc);
6963 
6964   // Check for existing nullability attributes on the type.
6965   QualType desugared = type;
6966   while (auto attributed = dyn_cast<AttributedType>(desugared.getTypePtr())) {
6967     // Check whether there is already a null
6968     if (auto existingNullability = attributed->getImmediateNullability()) {
6969       // Duplicated nullability.
6970       if (nullability == *existingNullability) {
6971         S.Diag(nullabilityLoc, diag::warn_nullability_duplicate)
6972           << DiagNullabilityKind(nullability, isContextSensitive)
6973           << FixItHint::CreateRemoval(nullabilityLoc);
6974 
6975         break;
6976       }
6977 
6978       // Conflicting nullability.
6979       S.Diag(nullabilityLoc, diag::err_nullability_conflicting)
6980         << DiagNullabilityKind(nullability, isContextSensitive)
6981         << DiagNullabilityKind(*existingNullability, false);
6982       return true;
6983     }
6984 
6985     desugared = attributed->getModifiedType();
6986   }
6987 
6988   // If there is already a different nullability specifier, complain.
6989   // This (unlike the code above) looks through typedefs that might
6990   // have nullability specifiers on them, which means we cannot
6991   // provide a useful Fix-It.
6992   if (auto existingNullability = desugared->getNullability(S.Context)) {
6993     if (nullability != *existingNullability) {
6994       S.Diag(nullabilityLoc, diag::err_nullability_conflicting)
6995         << DiagNullabilityKind(nullability, isContextSensitive)
6996         << DiagNullabilityKind(*existingNullability, false);
6997 
6998       // Try to find the typedef with the existing nullability specifier.
6999       if (auto typedefType = desugared->getAs<TypedefType>()) {
7000         TypedefNameDecl *typedefDecl = typedefType->getDecl();
7001         QualType underlyingType = typedefDecl->getUnderlyingType();
7002         if (auto typedefNullability
7003               = AttributedType::stripOuterNullability(underlyingType)) {
7004           if (*typedefNullability == *existingNullability) {
7005             S.Diag(typedefDecl->getLocation(), diag::note_nullability_here)
7006               << DiagNullabilityKind(*existingNullability, false);
7007           }
7008         }
7009       }
7010 
7011       return true;
7012     }
7013   }
7014 
7015   // If this definitely isn't a pointer type, reject the specifier.
7016   if (!desugared->canHaveNullability() &&
7017       !(allowOnArrayType && desugared->isArrayType())) {
7018     S.Diag(nullabilityLoc, diag::err_nullability_nonpointer)
7019       << DiagNullabilityKind(nullability, isContextSensitive) << type;
7020     return true;
7021   }
7022 
7023   // For the context-sensitive keywords/Objective-C property
7024   // attributes, require that the type be a single-level pointer.
7025   if (isContextSensitive) {
7026     // Make sure that the pointee isn't itself a pointer type.
7027     const Type *pointeeType;
7028     if (desugared->isArrayType())
7029       pointeeType = desugared->getArrayElementTypeNoTypeQual();
7030     else
7031       pointeeType = desugared->getPointeeType().getTypePtr();
7032 
7033     if (pointeeType->isAnyPointerType() ||
7034         pointeeType->isObjCObjectPointerType() ||
7035         pointeeType->isMemberPointerType()) {
7036       S.Diag(nullabilityLoc, diag::err_nullability_cs_multilevel)
7037         << DiagNullabilityKind(nullability, true)
7038         << type;
7039       S.Diag(nullabilityLoc, diag::note_nullability_type_specifier)
7040         << DiagNullabilityKind(nullability, false)
7041         << type
7042         << FixItHint::CreateReplacement(nullabilityLoc,
7043                                         getNullabilitySpelling(nullability));
7044       return true;
7045     }
7046   }
7047 
7048   // Form the attributed type.
7049   type = state.getAttributedType(
7050       createNullabilityAttr(S.Context, attr, nullability), type, type);
7051   return false;
7052 }
7053 
7054 /// Check the application of the Objective-C '__kindof' qualifier to
7055 /// the given type.
7056 static bool checkObjCKindOfType(TypeProcessingState &state, QualType &type,
7057                                 ParsedAttr &attr) {
7058   Sema &S = state.getSema();
7059 
7060   if (isa<ObjCTypeParamType>(type)) {
7061     // Build the attributed type to record where __kindof occurred.
7062     type = state.getAttributedType(
7063         createSimpleAttr<ObjCKindOfAttr>(S.Context, attr), type, type);
7064     return false;
7065   }
7066 
7067   // Find out if it's an Objective-C object or object pointer type;
7068   const ObjCObjectPointerType *ptrType = type->getAs<ObjCObjectPointerType>();
7069   const ObjCObjectType *objType = ptrType ? ptrType->getObjectType()
7070                                           : type->getAs<ObjCObjectType>();
7071 
7072   // If not, we can't apply __kindof.
7073   if (!objType) {
7074     // FIXME: Handle dependent types that aren't yet object types.
7075     S.Diag(attr.getLoc(), diag::err_objc_kindof_nonobject)
7076       << type;
7077     return true;
7078   }
7079 
7080   // Rebuild the "equivalent" type, which pushes __kindof down into
7081   // the object type.
7082   // There is no need to apply kindof on an unqualified id type.
7083   QualType equivType = S.Context.getObjCObjectType(
7084       objType->getBaseType(), objType->getTypeArgsAsWritten(),
7085       objType->getProtocols(),
7086       /*isKindOf=*/objType->isObjCUnqualifiedId() ? false : true);
7087 
7088   // If we started with an object pointer type, rebuild it.
7089   if (ptrType) {
7090     equivType = S.Context.getObjCObjectPointerType(equivType);
7091     if (auto nullability = type->getNullability(S.Context)) {
7092       // We create a nullability attribute from the __kindof attribute.
7093       // Make sure that will make sense.
7094       assert(attr.getAttributeSpellingListIndex() == 0 &&
7095              "multiple spellings for __kindof?");
7096       Attr *A = createNullabilityAttr(S.Context, attr, *nullability);
7097       A->setImplicit(true);
7098       equivType = state.getAttributedType(A, equivType, equivType);
7099     }
7100   }
7101 
7102   // Build the attributed type to record where __kindof occurred.
7103   type = state.getAttributedType(
7104       createSimpleAttr<ObjCKindOfAttr>(S.Context, attr), type, equivType);
7105   return false;
7106 }
7107 
7108 /// Distribute a nullability type attribute that cannot be applied to
7109 /// the type specifier to a pointer, block pointer, or member pointer
7110 /// declarator, complaining if necessary.
7111 ///
7112 /// \returns true if the nullability annotation was distributed, false
7113 /// otherwise.
7114 static bool distributeNullabilityTypeAttr(TypeProcessingState &state,
7115                                           QualType type, ParsedAttr &attr) {
7116   Declarator &declarator = state.getDeclarator();
7117 
7118   /// Attempt to move the attribute to the specified chunk.
7119   auto moveToChunk = [&](DeclaratorChunk &chunk, bool inFunction) -> bool {
7120     // If there is already a nullability attribute there, don't add
7121     // one.
7122     if (hasNullabilityAttr(chunk.getAttrs()))
7123       return false;
7124 
7125     // Complain about the nullability qualifier being in the wrong
7126     // place.
7127     enum {
7128       PK_Pointer,
7129       PK_BlockPointer,
7130       PK_MemberPointer,
7131       PK_FunctionPointer,
7132       PK_MemberFunctionPointer,
7133     } pointerKind
7134       = chunk.Kind == DeclaratorChunk::Pointer ? (inFunction ? PK_FunctionPointer
7135                                                              : PK_Pointer)
7136         : chunk.Kind == DeclaratorChunk::BlockPointer ? PK_BlockPointer
7137         : inFunction? PK_MemberFunctionPointer : PK_MemberPointer;
7138 
7139     auto diag = state.getSema().Diag(attr.getLoc(),
7140                                      diag::warn_nullability_declspec)
7141       << DiagNullabilityKind(mapNullabilityAttrKind(attr.getKind()),
7142                              attr.isContextSensitiveKeywordAttribute())
7143       << type
7144       << static_cast<unsigned>(pointerKind);
7145 
7146     // FIXME: MemberPointer chunks don't carry the location of the *.
7147     if (chunk.Kind != DeclaratorChunk::MemberPointer) {
7148       diag << FixItHint::CreateRemoval(attr.getLoc())
7149            << FixItHint::CreateInsertion(
7150                   state.getSema().getPreprocessor().getLocForEndOfToken(
7151                       chunk.Loc),
7152                   " " + attr.getAttrName()->getName().str() + " ");
7153     }
7154 
7155     moveAttrFromListToList(attr, state.getCurrentAttributes(),
7156                            chunk.getAttrs());
7157     return true;
7158   };
7159 
7160   // Move it to the outermost pointer, member pointer, or block
7161   // pointer declarator.
7162   for (unsigned i = state.getCurrentChunkIndex(); i != 0; --i) {
7163     DeclaratorChunk &chunk = declarator.getTypeObject(i-1);
7164     switch (chunk.Kind) {
7165     case DeclaratorChunk::Pointer:
7166     case DeclaratorChunk::BlockPointer:
7167     case DeclaratorChunk::MemberPointer:
7168       return moveToChunk(chunk, false);
7169 
7170     case DeclaratorChunk::Paren:
7171     case DeclaratorChunk::Array:
7172       continue;
7173 
7174     case DeclaratorChunk::Function:
7175       // Try to move past the return type to a function/block/member
7176       // function pointer.
7177       if (DeclaratorChunk *dest = maybeMovePastReturnType(
7178                                     declarator, i,
7179                                     /*onlyBlockPointers=*/false)) {
7180         return moveToChunk(*dest, true);
7181       }
7182 
7183       return false;
7184 
7185     // Don't walk through these.
7186     case DeclaratorChunk::Reference:
7187     case DeclaratorChunk::Pipe:
7188       return false;
7189     }
7190   }
7191 
7192   return false;
7193 }
7194 
7195 static Attr *getCCTypeAttr(ASTContext &Ctx, ParsedAttr &Attr) {
7196   assert(!Attr.isInvalid());
7197   switch (Attr.getKind()) {
7198   default:
7199     llvm_unreachable("not a calling convention attribute");
7200   case ParsedAttr::AT_CDecl:
7201     return createSimpleAttr<CDeclAttr>(Ctx, Attr);
7202   case ParsedAttr::AT_FastCall:
7203     return createSimpleAttr<FastCallAttr>(Ctx, Attr);
7204   case ParsedAttr::AT_StdCall:
7205     return createSimpleAttr<StdCallAttr>(Ctx, Attr);
7206   case ParsedAttr::AT_ThisCall:
7207     return createSimpleAttr<ThisCallAttr>(Ctx, Attr);
7208   case ParsedAttr::AT_RegCall:
7209     return createSimpleAttr<RegCallAttr>(Ctx, Attr);
7210   case ParsedAttr::AT_Pascal:
7211     return createSimpleAttr<PascalAttr>(Ctx, Attr);
7212   case ParsedAttr::AT_SwiftCall:
7213     return createSimpleAttr<SwiftCallAttr>(Ctx, Attr);
7214   case ParsedAttr::AT_VectorCall:
7215     return createSimpleAttr<VectorCallAttr>(Ctx, Attr);
7216   case ParsedAttr::AT_AArch64VectorPcs:
7217     return createSimpleAttr<AArch64VectorPcsAttr>(Ctx, Attr);
7218   case ParsedAttr::AT_Pcs: {
7219     // The attribute may have had a fixit applied where we treated an
7220     // identifier as a string literal.  The contents of the string are valid,
7221     // but the form may not be.
7222     StringRef Str;
7223     if (Attr.isArgExpr(0))
7224       Str = cast<StringLiteral>(Attr.getArgAsExpr(0))->getString();
7225     else
7226       Str = Attr.getArgAsIdent(0)->Ident->getName();
7227     PcsAttr::PCSType Type;
7228     if (!PcsAttr::ConvertStrToPCSType(Str, Type))
7229       llvm_unreachable("already validated the attribute");
7230     return ::new (Ctx) PcsAttr(Ctx, Attr, Type);
7231   }
7232   case ParsedAttr::AT_IntelOclBicc:
7233     return createSimpleAttr<IntelOclBiccAttr>(Ctx, Attr);
7234   case ParsedAttr::AT_MSABI:
7235     return createSimpleAttr<MSABIAttr>(Ctx, Attr);
7236   case ParsedAttr::AT_SysVABI:
7237     return createSimpleAttr<SysVABIAttr>(Ctx, Attr);
7238   case ParsedAttr::AT_PreserveMost:
7239     return createSimpleAttr<PreserveMostAttr>(Ctx, Attr);
7240   case ParsedAttr::AT_PreserveAll:
7241     return createSimpleAttr<PreserveAllAttr>(Ctx, Attr);
7242   }
7243   llvm_unreachable("unexpected attribute kind!");
7244 }
7245 
7246 /// Process an individual function attribute.  Returns true to
7247 /// indicate that the attribute was handled, false if it wasn't.
7248 static bool handleFunctionTypeAttr(TypeProcessingState &state, ParsedAttr &attr,
7249                                    QualType &type) {
7250   Sema &S = state.getSema();
7251 
7252   FunctionTypeUnwrapper unwrapped(S, type);
7253 
7254   if (attr.getKind() == ParsedAttr::AT_NoReturn) {
7255     if (S.CheckAttrNoArgs(attr))
7256       return true;
7257 
7258     // Delay if this is not a function type.
7259     if (!unwrapped.isFunctionType())
7260       return false;
7261 
7262     // Otherwise we can process right away.
7263     FunctionType::ExtInfo EI = unwrapped.get()->getExtInfo().withNoReturn(true);
7264     type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7265     return true;
7266   }
7267 
7268   if (attr.getKind() == ParsedAttr::AT_CmseNSCall) {
7269     // Delay if this is not a function type.
7270     if (!unwrapped.isFunctionType())
7271       return false;
7272 
7273     // Ignore if we don't have CMSE enabled.
7274     if (!S.getLangOpts().Cmse) {
7275       S.Diag(attr.getLoc(), diag::warn_attribute_ignored) << attr;
7276       attr.setInvalid();
7277       return true;
7278     }
7279 
7280     // Otherwise we can process right away.
7281     FunctionType::ExtInfo EI =
7282         unwrapped.get()->getExtInfo().withCmseNSCall(true);
7283     type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7284     return true;
7285   }
7286 
7287   // ns_returns_retained is not always a type attribute, but if we got
7288   // here, we're treating it as one right now.
7289   if (attr.getKind() == ParsedAttr::AT_NSReturnsRetained) {
7290     if (attr.getNumArgs()) return true;
7291 
7292     // Delay if this is not a function type.
7293     if (!unwrapped.isFunctionType())
7294       return false;
7295 
7296     // Check whether the return type is reasonable.
7297     if (S.checkNSReturnsRetainedReturnType(attr.getLoc(),
7298                                            unwrapped.get()->getReturnType()))
7299       return true;
7300 
7301     // Only actually change the underlying type in ARC builds.
7302     QualType origType = type;
7303     if (state.getSema().getLangOpts().ObjCAutoRefCount) {
7304       FunctionType::ExtInfo EI
7305         = unwrapped.get()->getExtInfo().withProducesResult(true);
7306       type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7307     }
7308     type = state.getAttributedType(
7309         createSimpleAttr<NSReturnsRetainedAttr>(S.Context, attr),
7310         origType, type);
7311     return true;
7312   }
7313 
7314   if (attr.getKind() == ParsedAttr::AT_AnyX86NoCallerSavedRegisters) {
7315     if (S.CheckAttrTarget(attr) || S.CheckAttrNoArgs(attr))
7316       return true;
7317 
7318     // Delay if this is not a function type.
7319     if (!unwrapped.isFunctionType())
7320       return false;
7321 
7322     FunctionType::ExtInfo EI =
7323         unwrapped.get()->getExtInfo().withNoCallerSavedRegs(true);
7324     type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7325     return true;
7326   }
7327 
7328   if (attr.getKind() == ParsedAttr::AT_AnyX86NoCfCheck) {
7329     if (!S.getLangOpts().CFProtectionBranch) {
7330       S.Diag(attr.getLoc(), diag::warn_nocf_check_attribute_ignored);
7331       attr.setInvalid();
7332       return true;
7333     }
7334 
7335     if (S.CheckAttrTarget(attr) || S.CheckAttrNoArgs(attr))
7336       return true;
7337 
7338     // If this is not a function type, warning will be asserted by subject
7339     // check.
7340     if (!unwrapped.isFunctionType())
7341       return true;
7342 
7343     FunctionType::ExtInfo EI =
7344       unwrapped.get()->getExtInfo().withNoCfCheck(true);
7345     type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7346     return true;
7347   }
7348 
7349   if (attr.getKind() == ParsedAttr::AT_Regparm) {
7350     unsigned value;
7351     if (S.CheckRegparmAttr(attr, value))
7352       return true;
7353 
7354     // Delay if this is not a function type.
7355     if (!unwrapped.isFunctionType())
7356       return false;
7357 
7358     // Diagnose regparm with fastcall.
7359     const FunctionType *fn = unwrapped.get();
7360     CallingConv CC = fn->getCallConv();
7361     if (CC == CC_X86FastCall) {
7362       S.Diag(attr.getLoc(), diag::err_attributes_are_not_compatible)
7363         << FunctionType::getNameForCallConv(CC)
7364         << "regparm";
7365       attr.setInvalid();
7366       return true;
7367     }
7368 
7369     FunctionType::ExtInfo EI =
7370       unwrapped.get()->getExtInfo().withRegParm(value);
7371     type = unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7372     return true;
7373   }
7374 
7375   if (attr.getKind() == ParsedAttr::AT_NoThrow) {
7376     // Delay if this is not a function type.
7377     if (!unwrapped.isFunctionType())
7378       return false;
7379 
7380     if (S.CheckAttrNoArgs(attr)) {
7381       attr.setInvalid();
7382       return true;
7383     }
7384 
7385     // Otherwise we can process right away.
7386     auto *Proto = unwrapped.get()->castAs<FunctionProtoType>();
7387 
7388     // MSVC ignores nothrow if it is in conflict with an explicit exception
7389     // specification.
7390     if (Proto->hasExceptionSpec()) {
7391       switch (Proto->getExceptionSpecType()) {
7392       case EST_None:
7393         llvm_unreachable("This doesn't have an exception spec!");
7394 
7395       case EST_DynamicNone:
7396       case EST_BasicNoexcept:
7397       case EST_NoexceptTrue:
7398       case EST_NoThrow:
7399         // Exception spec doesn't conflict with nothrow, so don't warn.
7400         LLVM_FALLTHROUGH;
7401       case EST_Unparsed:
7402       case EST_Uninstantiated:
7403       case EST_DependentNoexcept:
7404       case EST_Unevaluated:
7405         // We don't have enough information to properly determine if there is a
7406         // conflict, so suppress the warning.
7407         break;
7408       case EST_Dynamic:
7409       case EST_MSAny:
7410       case EST_NoexceptFalse:
7411         S.Diag(attr.getLoc(), diag::warn_nothrow_attribute_ignored);
7412         break;
7413       }
7414       return true;
7415     }
7416 
7417     type = unwrapped.wrap(
7418         S, S.Context
7419                .getFunctionTypeWithExceptionSpec(
7420                    QualType{Proto, 0},
7421                    FunctionProtoType::ExceptionSpecInfo{EST_NoThrow})
7422                ->getAs<FunctionType>());
7423     return true;
7424   }
7425 
7426   // Delay if the type didn't work out to a function.
7427   if (!unwrapped.isFunctionType()) return false;
7428 
7429   // Otherwise, a calling convention.
7430   CallingConv CC;
7431   if (S.CheckCallingConvAttr(attr, CC))
7432     return true;
7433 
7434   const FunctionType *fn = unwrapped.get();
7435   CallingConv CCOld = fn->getCallConv();
7436   Attr *CCAttr = getCCTypeAttr(S.Context, attr);
7437 
7438   if (CCOld != CC) {
7439     // Error out on when there's already an attribute on the type
7440     // and the CCs don't match.
7441     if (S.getCallingConvAttributedType(type)) {
7442       S.Diag(attr.getLoc(), diag::err_attributes_are_not_compatible)
7443         << FunctionType::getNameForCallConv(CC)
7444         << FunctionType::getNameForCallConv(CCOld);
7445       attr.setInvalid();
7446       return true;
7447     }
7448   }
7449 
7450   // Diagnose use of variadic functions with calling conventions that
7451   // don't support them (e.g. because they're callee-cleanup).
7452   // We delay warning about this on unprototyped function declarations
7453   // until after redeclaration checking, just in case we pick up a
7454   // prototype that way.  And apparently we also "delay" warning about
7455   // unprototyped function types in general, despite not necessarily having
7456   // much ability to diagnose it later.
7457   if (!supportsVariadicCall(CC)) {
7458     const FunctionProtoType *FnP = dyn_cast<FunctionProtoType>(fn);
7459     if (FnP && FnP->isVariadic()) {
7460       // stdcall and fastcall are ignored with a warning for GCC and MS
7461       // compatibility.
7462       if (CC == CC_X86StdCall || CC == CC_X86FastCall)
7463         return S.Diag(attr.getLoc(), diag::warn_cconv_unsupported)
7464                << FunctionType::getNameForCallConv(CC)
7465                << (int)Sema::CallingConventionIgnoredReason::VariadicFunction;
7466 
7467       attr.setInvalid();
7468       return S.Diag(attr.getLoc(), diag::err_cconv_varargs)
7469              << FunctionType::getNameForCallConv(CC);
7470     }
7471   }
7472 
7473   // Also diagnose fastcall with regparm.
7474   if (CC == CC_X86FastCall && fn->getHasRegParm()) {
7475     S.Diag(attr.getLoc(), diag::err_attributes_are_not_compatible)
7476         << "regparm" << FunctionType::getNameForCallConv(CC_X86FastCall);
7477     attr.setInvalid();
7478     return true;
7479   }
7480 
7481   // Modify the CC from the wrapped function type, wrap it all back, and then
7482   // wrap the whole thing in an AttributedType as written.  The modified type
7483   // might have a different CC if we ignored the attribute.
7484   QualType Equivalent;
7485   if (CCOld == CC) {
7486     Equivalent = type;
7487   } else {
7488     auto EI = unwrapped.get()->getExtInfo().withCallingConv(CC);
7489     Equivalent =
7490       unwrapped.wrap(S, S.Context.adjustFunctionType(unwrapped.get(), EI));
7491   }
7492   type = state.getAttributedType(CCAttr, type, Equivalent);
7493   return true;
7494 }
7495 
7496 bool Sema::hasExplicitCallingConv(QualType T) {
7497   const AttributedType *AT;
7498 
7499   // Stop if we'd be stripping off a typedef sugar node to reach the
7500   // AttributedType.
7501   while ((AT = T->getAs<AttributedType>()) &&
7502          AT->getAs<TypedefType>() == T->getAs<TypedefType>()) {
7503     if (AT->isCallingConv())
7504       return true;
7505     T = AT->getModifiedType();
7506   }
7507   return false;
7508 }
7509 
7510 void Sema::adjustMemberFunctionCC(QualType &T, bool IsStatic, bool IsCtorOrDtor,
7511                                   SourceLocation Loc) {
7512   FunctionTypeUnwrapper Unwrapped(*this, T);
7513   const FunctionType *FT = Unwrapped.get();
7514   bool IsVariadic = (isa<FunctionProtoType>(FT) &&
7515                      cast<FunctionProtoType>(FT)->isVariadic());
7516   CallingConv CurCC = FT->getCallConv();
7517   CallingConv ToCC = Context.getDefaultCallingConvention(IsVariadic, !IsStatic);
7518 
7519   if (CurCC == ToCC)
7520     return;
7521 
7522   // MS compiler ignores explicit calling convention attributes on structors. We
7523   // should do the same.
7524   if (Context.getTargetInfo().getCXXABI().isMicrosoft() && IsCtorOrDtor) {
7525     // Issue a warning on ignored calling convention -- except of __stdcall.
7526     // Again, this is what MS compiler does.
7527     if (CurCC != CC_X86StdCall)
7528       Diag(Loc, diag::warn_cconv_unsupported)
7529           << FunctionType::getNameForCallConv(CurCC)
7530           << (int)Sema::CallingConventionIgnoredReason::ConstructorDestructor;
7531   // Default adjustment.
7532   } else {
7533     // Only adjust types with the default convention.  For example, on Windows
7534     // we should adjust a __cdecl type to __thiscall for instance methods, and a
7535     // __thiscall type to __cdecl for static methods.
7536     CallingConv DefaultCC =
7537         Context.getDefaultCallingConvention(IsVariadic, IsStatic);
7538 
7539     if (CurCC != DefaultCC || DefaultCC == ToCC)
7540       return;
7541 
7542     if (hasExplicitCallingConv(T))
7543       return;
7544   }
7545 
7546   FT = Context.adjustFunctionType(FT, FT->getExtInfo().withCallingConv(ToCC));
7547   QualType Wrapped = Unwrapped.wrap(*this, FT);
7548   T = Context.getAdjustedType(T, Wrapped);
7549 }
7550 
7551 /// HandleVectorSizeAttribute - this attribute is only applicable to integral
7552 /// and float scalars, although arrays, pointers, and function return values are
7553 /// allowed in conjunction with this construct. Aggregates with this attribute
7554 /// are invalid, even if they are of the same size as a corresponding scalar.
7555 /// The raw attribute should contain precisely 1 argument, the vector size for
7556 /// the variable, measured in bytes. If curType and rawAttr are well formed,
7557 /// this routine will return a new vector type.
7558 static void HandleVectorSizeAttr(QualType &CurType, const ParsedAttr &Attr,
7559                                  Sema &S) {
7560   // Check the attribute arguments.
7561   if (Attr.getNumArgs() != 1) {
7562     S.Diag(Attr.getLoc(), diag::err_attribute_wrong_number_arguments) << Attr
7563                                                                       << 1;
7564     Attr.setInvalid();
7565     return;
7566   }
7567 
7568   Expr *SizeExpr;
7569   // Special case where the argument is a template id.
7570   if (Attr.isArgIdent(0)) {
7571     CXXScopeSpec SS;
7572     SourceLocation TemplateKWLoc;
7573     UnqualifiedId Id;
7574     Id.setIdentifier(Attr.getArgAsIdent(0)->Ident, Attr.getLoc());
7575 
7576     ExprResult Size = S.ActOnIdExpression(S.getCurScope(), SS, TemplateKWLoc,
7577                                           Id, /*HasTrailingLParen=*/false,
7578                                           /*IsAddressOfOperand=*/false);
7579 
7580     if (Size.isInvalid())
7581       return;
7582     SizeExpr = Size.get();
7583   } else {
7584     SizeExpr = Attr.getArgAsExpr(0);
7585   }
7586 
7587   QualType T = S.BuildVectorType(CurType, SizeExpr, Attr.getLoc());
7588   if (!T.isNull())
7589     CurType = T;
7590   else
7591     Attr.setInvalid();
7592 }
7593 
7594 /// Process the OpenCL-like ext_vector_type attribute when it occurs on
7595 /// a type.
7596 static void HandleExtVectorTypeAttr(QualType &CurType, const ParsedAttr &Attr,
7597                                     Sema &S) {
7598   // check the attribute arguments.
7599   if (Attr.getNumArgs() != 1) {
7600     S.Diag(Attr.getLoc(), diag::err_attribute_wrong_number_arguments) << Attr
7601                                                                       << 1;
7602     return;
7603   }
7604 
7605   Expr *sizeExpr;
7606 
7607   // Special case where the argument is a template id.
7608   if (Attr.isArgIdent(0)) {
7609     CXXScopeSpec SS;
7610     SourceLocation TemplateKWLoc;
7611     UnqualifiedId id;
7612     id.setIdentifier(Attr.getArgAsIdent(0)->Ident, Attr.getLoc());
7613 
7614     ExprResult Size = S.ActOnIdExpression(S.getCurScope(), SS, TemplateKWLoc,
7615                                           id, /*HasTrailingLParen=*/false,
7616                                           /*IsAddressOfOperand=*/false);
7617     if (Size.isInvalid())
7618       return;
7619 
7620     sizeExpr = Size.get();
7621   } else {
7622     sizeExpr = Attr.getArgAsExpr(0);
7623   }
7624 
7625   // Create the vector type.
7626   QualType T = S.BuildExtVectorType(CurType, sizeExpr, Attr.getLoc());
7627   if (!T.isNull())
7628     CurType = T;
7629 }
7630 
7631 static bool isPermittedNeonBaseType(QualType &Ty,
7632                                     VectorType::VectorKind VecKind, Sema &S) {
7633   const BuiltinType *BTy = Ty->getAs<BuiltinType>();
7634   if (!BTy)
7635     return false;
7636 
7637   llvm::Triple Triple = S.Context.getTargetInfo().getTriple();
7638 
7639   // Signed poly is mathematically wrong, but has been baked into some ABIs by
7640   // now.
7641   bool IsPolyUnsigned = Triple.getArch() == llvm::Triple::aarch64 ||
7642                         Triple.getArch() == llvm::Triple::aarch64_32 ||
7643                         Triple.getArch() == llvm::Triple::aarch64_be;
7644   if (VecKind == VectorType::NeonPolyVector) {
7645     if (IsPolyUnsigned) {
7646       // AArch64 polynomial vectors are unsigned and support poly64.
7647       return BTy->getKind() == BuiltinType::UChar ||
7648              BTy->getKind() == BuiltinType::UShort ||
7649              BTy->getKind() == BuiltinType::ULong ||
7650              BTy->getKind() == BuiltinType::ULongLong;
7651     } else {
7652       // AArch32 polynomial vector are signed.
7653       return BTy->getKind() == BuiltinType::SChar ||
7654              BTy->getKind() == BuiltinType::Short;
7655     }
7656   }
7657 
7658   // Non-polynomial vector types: the usual suspects are allowed, as well as
7659   // float64_t on AArch64.
7660   if ((Triple.isArch64Bit() || Triple.getArch() == llvm::Triple::aarch64_32) &&
7661       BTy->getKind() == BuiltinType::Double)
7662     return true;
7663 
7664   return BTy->getKind() == BuiltinType::SChar ||
7665          BTy->getKind() == BuiltinType::UChar ||
7666          BTy->getKind() == BuiltinType::Short ||
7667          BTy->getKind() == BuiltinType::UShort ||
7668          BTy->getKind() == BuiltinType::Int ||
7669          BTy->getKind() == BuiltinType::UInt ||
7670          BTy->getKind() == BuiltinType::Long ||
7671          BTy->getKind() == BuiltinType::ULong ||
7672          BTy->getKind() == BuiltinType::LongLong ||
7673          BTy->getKind() == BuiltinType::ULongLong ||
7674          BTy->getKind() == BuiltinType::Float ||
7675          BTy->getKind() == BuiltinType::Half;
7676 }
7677 
7678 /// HandleNeonVectorTypeAttr - The "neon_vector_type" and
7679 /// "neon_polyvector_type" attributes are used to create vector types that
7680 /// are mangled according to ARM's ABI.  Otherwise, these types are identical
7681 /// to those created with the "vector_size" attribute.  Unlike "vector_size"
7682 /// the argument to these Neon attributes is the number of vector elements,
7683 /// not the vector size in bytes.  The vector width and element type must
7684 /// match one of the standard Neon vector types.
7685 static void HandleNeonVectorTypeAttr(QualType &CurType, const ParsedAttr &Attr,
7686                                      Sema &S, VectorType::VectorKind VecKind) {
7687   // Target must have NEON (or MVE, whose vectors are similar enough
7688   // not to need a separate attribute)
7689   if (!S.Context.getTargetInfo().hasFeature("neon") &&
7690       !S.Context.getTargetInfo().hasFeature("mve")) {
7691     S.Diag(Attr.getLoc(), diag::err_attribute_unsupported) << Attr;
7692     Attr.setInvalid();
7693     return;
7694   }
7695   // Check the attribute arguments.
7696   if (Attr.getNumArgs() != 1) {
7697     S.Diag(Attr.getLoc(), diag::err_attribute_wrong_number_arguments) << Attr
7698                                                                       << 1;
7699     Attr.setInvalid();
7700     return;
7701   }
7702   // The number of elements must be an ICE.
7703   Expr *numEltsExpr = static_cast<Expr *>(Attr.getArgAsExpr(0));
7704   llvm::APSInt numEltsInt(32);
7705   if (numEltsExpr->isTypeDependent() || numEltsExpr->isValueDependent() ||
7706       !numEltsExpr->isIntegerConstantExpr(numEltsInt, S.Context)) {
7707     S.Diag(Attr.getLoc(), diag::err_attribute_argument_type)
7708         << Attr << AANT_ArgumentIntegerConstant
7709         << numEltsExpr->getSourceRange();
7710     Attr.setInvalid();
7711     return;
7712   }
7713   // Only certain element types are supported for Neon vectors.
7714   if (!isPermittedNeonBaseType(CurType, VecKind, S)) {
7715     S.Diag(Attr.getLoc(), diag::err_attribute_invalid_vector_type) << CurType;
7716     Attr.setInvalid();
7717     return;
7718   }
7719 
7720   // The total size of the vector must be 64 or 128 bits.
7721   unsigned typeSize = static_cast<unsigned>(S.Context.getTypeSize(CurType));
7722   unsigned numElts = static_cast<unsigned>(numEltsInt.getZExtValue());
7723   unsigned vecSize = typeSize * numElts;
7724   if (vecSize != 64 && vecSize != 128) {
7725     S.Diag(Attr.getLoc(), diag::err_attribute_bad_neon_vector_size) << CurType;
7726     Attr.setInvalid();
7727     return;
7728   }
7729 
7730   CurType = S.Context.getVectorType(CurType, numElts, VecKind);
7731 }
7732 
7733 static void HandleArmMveStrictPolymorphismAttr(TypeProcessingState &State,
7734                                                QualType &CurType,
7735                                                ParsedAttr &Attr) {
7736   const VectorType *VT = dyn_cast<VectorType>(CurType);
7737   if (!VT || VT->getVectorKind() != VectorType::NeonVector) {
7738     State.getSema().Diag(Attr.getLoc(),
7739                          diag::err_attribute_arm_mve_polymorphism);
7740     Attr.setInvalid();
7741     return;
7742   }
7743 
7744   CurType =
7745       State.getAttributedType(createSimpleAttr<ArmMveStrictPolymorphismAttr>(
7746                                   State.getSema().Context, Attr),
7747                               CurType, CurType);
7748 }
7749 
7750 /// Handle OpenCL Access Qualifier Attribute.
7751 static void HandleOpenCLAccessAttr(QualType &CurType, const ParsedAttr &Attr,
7752                                    Sema &S) {
7753   // OpenCL v2.0 s6.6 - Access qualifier can be used only for image and pipe type.
7754   if (!(CurType->isImageType() || CurType->isPipeType())) {
7755     S.Diag(Attr.getLoc(), diag::err_opencl_invalid_access_qualifier);
7756     Attr.setInvalid();
7757     return;
7758   }
7759 
7760   if (const TypedefType* TypedefTy = CurType->getAs<TypedefType>()) {
7761     QualType BaseTy = TypedefTy->desugar();
7762 
7763     std::string PrevAccessQual;
7764     if (BaseTy->isPipeType()) {
7765       if (TypedefTy->getDecl()->hasAttr<OpenCLAccessAttr>()) {
7766         OpenCLAccessAttr *Attr =
7767             TypedefTy->getDecl()->getAttr<OpenCLAccessAttr>();
7768         PrevAccessQual = Attr->getSpelling();
7769       } else {
7770         PrevAccessQual = "read_only";
7771       }
7772     } else if (const BuiltinType* ImgType = BaseTy->getAs<BuiltinType>()) {
7773 
7774       switch (ImgType->getKind()) {
7775         #define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \
7776       case BuiltinType::Id:                                          \
7777         PrevAccessQual = #Access;                                    \
7778         break;
7779         #include "clang/Basic/OpenCLImageTypes.def"
7780       default:
7781         llvm_unreachable("Unable to find corresponding image type.");
7782       }
7783     } else {
7784       llvm_unreachable("unexpected type");
7785     }
7786     StringRef AttrName = Attr.getAttrName()->getName();
7787     if (PrevAccessQual == AttrName.ltrim("_")) {
7788       // Duplicated qualifiers
7789       S.Diag(Attr.getLoc(), diag::warn_duplicate_declspec)
7790          << AttrName << Attr.getRange();
7791     } else {
7792       // Contradicting qualifiers
7793       S.Diag(Attr.getLoc(), diag::err_opencl_multiple_access_qualifiers);
7794     }
7795 
7796     S.Diag(TypedefTy->getDecl()->getBeginLoc(),
7797            diag::note_opencl_typedef_access_qualifier) << PrevAccessQual;
7798   } else if (CurType->isPipeType()) {
7799     if (Attr.getSemanticSpelling() == OpenCLAccessAttr::Keyword_write_only) {
7800       QualType ElemType = CurType->getAs<PipeType>()->getElementType();
7801       CurType = S.Context.getWritePipeType(ElemType);
7802     }
7803   }
7804 }
7805 
7806 /// HandleMatrixTypeAttr - "matrix_type" attribute, like ext_vector_type
7807 static void HandleMatrixTypeAttr(QualType &CurType, const ParsedAttr &Attr,
7808                                  Sema &S) {
7809   if (!S.getLangOpts().MatrixTypes) {
7810     S.Diag(Attr.getLoc(), diag::err_builtin_matrix_disabled);
7811     return;
7812   }
7813 
7814   if (Attr.getNumArgs() != 2) {
7815     S.Diag(Attr.getLoc(), diag::err_attribute_wrong_number_arguments)
7816         << Attr << 2;
7817     return;
7818   }
7819 
7820   Expr *RowsExpr = nullptr;
7821   Expr *ColsExpr = nullptr;
7822 
7823   // TODO: Refactor parameter extraction into separate function
7824   // Get the number of rows
7825   if (Attr.isArgIdent(0)) {
7826     CXXScopeSpec SS;
7827     SourceLocation TemplateKeywordLoc;
7828     UnqualifiedId id;
7829     id.setIdentifier(Attr.getArgAsIdent(0)->Ident, Attr.getLoc());
7830     ExprResult Rows = S.ActOnIdExpression(S.getCurScope(), SS,
7831                                           TemplateKeywordLoc, id, false, false);
7832 
7833     if (Rows.isInvalid())
7834       // TODO: maybe a good error message would be nice here
7835       return;
7836     RowsExpr = Rows.get();
7837   } else {
7838     assert(Attr.isArgExpr(0) &&
7839            "Argument to should either be an identity or expression");
7840     RowsExpr = Attr.getArgAsExpr(0);
7841   }
7842 
7843   // Get the number of columns
7844   if (Attr.isArgIdent(1)) {
7845     CXXScopeSpec SS;
7846     SourceLocation TemplateKeywordLoc;
7847     UnqualifiedId id;
7848     id.setIdentifier(Attr.getArgAsIdent(1)->Ident, Attr.getLoc());
7849     ExprResult Columns = S.ActOnIdExpression(
7850         S.getCurScope(), SS, TemplateKeywordLoc, id, false, false);
7851 
7852     if (Columns.isInvalid())
7853       // TODO: a good error message would be nice here
7854       return;
7855     RowsExpr = Columns.get();
7856   } else {
7857     assert(Attr.isArgExpr(1) &&
7858            "Argument to should either be an identity or expression");
7859     ColsExpr = Attr.getArgAsExpr(1);
7860   }
7861 
7862   // Create the matrix type.
7863   QualType T = S.BuildMatrixType(CurType, RowsExpr, ColsExpr, Attr.getLoc());
7864   if (!T.isNull())
7865     CurType = T;
7866 }
7867 
7868 static void HandleLifetimeBoundAttr(TypeProcessingState &State,
7869                                     QualType &CurType,
7870                                     ParsedAttr &Attr) {
7871   if (State.getDeclarator().isDeclarationOfFunction()) {
7872     CurType = State.getAttributedType(
7873         createSimpleAttr<LifetimeBoundAttr>(State.getSema().Context, Attr),
7874         CurType, CurType);
7875   } else {
7876     Attr.diagnoseAppertainsTo(State.getSema(), nullptr);
7877   }
7878 }
7879 
7880 static bool isAddressSpaceKind(const ParsedAttr &attr) {
7881   auto attrKind = attr.getKind();
7882 
7883   return attrKind == ParsedAttr::AT_AddressSpace ||
7884          attrKind == ParsedAttr::AT_OpenCLPrivateAddressSpace ||
7885          attrKind == ParsedAttr::AT_OpenCLGlobalAddressSpace ||
7886          attrKind == ParsedAttr::AT_OpenCLLocalAddressSpace ||
7887          attrKind == ParsedAttr::AT_OpenCLConstantAddressSpace ||
7888          attrKind == ParsedAttr::AT_OpenCLGenericAddressSpace;
7889 }
7890 
7891 static void processTypeAttrs(TypeProcessingState &state, QualType &type,
7892                              TypeAttrLocation TAL,
7893                              ParsedAttributesView &attrs) {
7894   // Scan through and apply attributes to this type where it makes sense.  Some
7895   // attributes (such as __address_space__, __vector_size__, etc) apply to the
7896   // type, but others can be present in the type specifiers even though they
7897   // apply to the decl.  Here we apply type attributes and ignore the rest.
7898 
7899   // This loop modifies the list pretty frequently, but we still need to make
7900   // sure we visit every element once. Copy the attributes list, and iterate
7901   // over that.
7902   ParsedAttributesView AttrsCopy{attrs};
7903 
7904   state.setParsedNoDeref(false);
7905 
7906   for (ParsedAttr &attr : AttrsCopy) {
7907 
7908     // Skip attributes that were marked to be invalid.
7909     if (attr.isInvalid())
7910       continue;
7911 
7912     if (attr.isCXX11Attribute()) {
7913       // [[gnu::...]] attributes are treated as declaration attributes, so may
7914       // not appertain to a DeclaratorChunk. If we handle them as type
7915       // attributes, accept them in that position and diagnose the GCC
7916       // incompatibility.
7917       if (attr.isGNUScope()) {
7918         bool IsTypeAttr = attr.isTypeAttr();
7919         if (TAL == TAL_DeclChunk) {
7920           state.getSema().Diag(attr.getLoc(),
7921                                IsTypeAttr
7922                                    ? diag::warn_gcc_ignores_type_attr
7923                                    : diag::warn_cxx11_gnu_attribute_on_type)
7924               << attr;
7925           if (!IsTypeAttr)
7926             continue;
7927         }
7928       } else if (TAL != TAL_DeclChunk && !isAddressSpaceKind(attr)) {
7929         // Otherwise, only consider type processing for a C++11 attribute if
7930         // it's actually been applied to a type.
7931         // We also allow C++11 address_space and
7932         // OpenCL language address space attributes to pass through.
7933         continue;
7934       }
7935     }
7936 
7937     // If this is an attribute we can handle, do so now,
7938     // otherwise, add it to the FnAttrs list for rechaining.
7939     switch (attr.getKind()) {
7940     default:
7941       // A C++11 attribute on a declarator chunk must appertain to a type.
7942       if (attr.isCXX11Attribute() && TAL == TAL_DeclChunk) {
7943         state.getSema().Diag(attr.getLoc(), diag::err_attribute_not_type_attr)
7944             << attr;
7945         attr.setUsedAsTypeAttr();
7946       }
7947       break;
7948 
7949     case ParsedAttr::UnknownAttribute:
7950       if (attr.isCXX11Attribute() && TAL == TAL_DeclChunk)
7951         state.getSema().Diag(attr.getLoc(),
7952                              diag::warn_unknown_attribute_ignored)
7953             << attr;
7954       break;
7955 
7956     case ParsedAttr::IgnoredAttribute:
7957       break;
7958 
7959     case ParsedAttr::AT_MayAlias:
7960       // FIXME: This attribute needs to actually be handled, but if we ignore
7961       // it it breaks large amounts of Linux software.
7962       attr.setUsedAsTypeAttr();
7963       break;
7964     case ParsedAttr::AT_OpenCLPrivateAddressSpace:
7965     case ParsedAttr::AT_OpenCLGlobalAddressSpace:
7966     case ParsedAttr::AT_OpenCLLocalAddressSpace:
7967     case ParsedAttr::AT_OpenCLConstantAddressSpace:
7968     case ParsedAttr::AT_OpenCLGenericAddressSpace:
7969     case ParsedAttr::AT_AddressSpace:
7970       HandleAddressSpaceTypeAttribute(type, attr, state);
7971       attr.setUsedAsTypeAttr();
7972       break;
7973     OBJC_POINTER_TYPE_ATTRS_CASELIST:
7974       if (!handleObjCPointerTypeAttr(state, attr, type))
7975         distributeObjCPointerTypeAttr(state, attr, type);
7976       attr.setUsedAsTypeAttr();
7977       break;
7978     case ParsedAttr::AT_VectorSize:
7979       HandleVectorSizeAttr(type, attr, state.getSema());
7980       attr.setUsedAsTypeAttr();
7981       break;
7982     case ParsedAttr::AT_ExtVectorType:
7983       HandleExtVectorTypeAttr(type, attr, state.getSema());
7984       attr.setUsedAsTypeAttr();
7985       break;
7986     case ParsedAttr::AT_NeonVectorType:
7987       HandleNeonVectorTypeAttr(type, attr, state.getSema(),
7988                                VectorType::NeonVector);
7989       attr.setUsedAsTypeAttr();
7990       break;
7991     case ParsedAttr::AT_NeonPolyVectorType:
7992       HandleNeonVectorTypeAttr(type, attr, state.getSema(),
7993                                VectorType::NeonPolyVector);
7994       attr.setUsedAsTypeAttr();
7995       break;
7996     case ParsedAttr::AT_ArmMveStrictPolymorphism: {
7997       HandleArmMveStrictPolymorphismAttr(state, type, attr);
7998       attr.setUsedAsTypeAttr();
7999       break;
8000     }
8001     case ParsedAttr::AT_OpenCLAccess:
8002       HandleOpenCLAccessAttr(type, attr, state.getSema());
8003       attr.setUsedAsTypeAttr();
8004       break;
8005     case ParsedAttr::AT_LifetimeBound:
8006       if (TAL == TAL_DeclChunk)
8007         HandleLifetimeBoundAttr(state, type, attr);
8008       break;
8009 
8010     case ParsedAttr::AT_NoDeref: {
8011       ASTContext &Ctx = state.getSema().Context;
8012       type = state.getAttributedType(createSimpleAttr<NoDerefAttr>(Ctx, attr),
8013                                      type, type);
8014       attr.setUsedAsTypeAttr();
8015       state.setParsedNoDeref(true);
8016       break;
8017     }
8018 
8019     case ParsedAttr::AT_MatrixType:
8020       HandleMatrixTypeAttr(type, attr, state.getSema());
8021       attr.setUsedAsTypeAttr();
8022       break;
8023 
8024     MS_TYPE_ATTRS_CASELIST:
8025       if (!handleMSPointerTypeQualifierAttr(state, attr, type))
8026         attr.setUsedAsTypeAttr();
8027       break;
8028 
8029 
8030     NULLABILITY_TYPE_ATTRS_CASELIST:
8031       // Either add nullability here or try to distribute it.  We
8032       // don't want to distribute the nullability specifier past any
8033       // dependent type, because that complicates the user model.
8034       if (type->canHaveNullability() || type->isDependentType() ||
8035           type->isArrayType() ||
8036           !distributeNullabilityTypeAttr(state, type, attr)) {
8037         unsigned endIndex;
8038         if (TAL == TAL_DeclChunk)
8039           endIndex = state.getCurrentChunkIndex();
8040         else
8041           endIndex = state.getDeclarator().getNumTypeObjects();
8042         bool allowOnArrayType =
8043             state.getDeclarator().isPrototypeContext() &&
8044             !hasOuterPointerLikeChunk(state.getDeclarator(), endIndex);
8045         if (checkNullabilityTypeSpecifier(
8046               state,
8047               type,
8048               attr,
8049               allowOnArrayType)) {
8050           attr.setInvalid();
8051         }
8052 
8053         attr.setUsedAsTypeAttr();
8054       }
8055       break;
8056 
8057     case ParsedAttr::AT_ObjCKindOf:
8058       // '__kindof' must be part of the decl-specifiers.
8059       switch (TAL) {
8060       case TAL_DeclSpec:
8061         break;
8062 
8063       case TAL_DeclChunk:
8064       case TAL_DeclName:
8065         state.getSema().Diag(attr.getLoc(),
8066                              diag::err_objc_kindof_wrong_position)
8067             << FixItHint::CreateRemoval(attr.getLoc())
8068             << FixItHint::CreateInsertion(
8069                    state.getDeclarator().getDeclSpec().getBeginLoc(),
8070                    "__kindof ");
8071         break;
8072       }
8073 
8074       // Apply it regardless.
8075       if (checkObjCKindOfType(state, type, attr))
8076         attr.setInvalid();
8077       break;
8078 
8079     case ParsedAttr::AT_NoThrow:
8080     // Exception Specifications aren't generally supported in C mode throughout
8081     // clang, so revert to attribute-based handling for C.
8082       if (!state.getSema().getLangOpts().CPlusPlus)
8083         break;
8084       LLVM_FALLTHROUGH;
8085     FUNCTION_TYPE_ATTRS_CASELIST:
8086       attr.setUsedAsTypeAttr();
8087 
8088       // Never process function type attributes as part of the
8089       // declaration-specifiers.
8090       if (TAL == TAL_DeclSpec)
8091         distributeFunctionTypeAttrFromDeclSpec(state, attr, type);
8092 
8093       // Otherwise, handle the possible delays.
8094       else if (!handleFunctionTypeAttr(state, attr, type))
8095         distributeFunctionTypeAttr(state, attr, type);
8096       break;
8097     case ParsedAttr::AT_AcquireHandle: {
8098       if (!type->isFunctionType())
8099         return;
8100       StringRef HandleType;
8101       if (!state.getSema().checkStringLiteralArgumentAttr(attr, 0, HandleType))
8102         return;
8103       type = state.getAttributedType(
8104           AcquireHandleAttr::Create(state.getSema().Context, HandleType, attr),
8105           type, type);
8106       attr.setUsedAsTypeAttr();
8107       break;
8108     }
8109     }
8110 
8111     // Handle attributes that are defined in a macro. We do not want this to be
8112     // applied to ObjC builtin attributes.
8113     if (isa<AttributedType>(type) && attr.hasMacroIdentifier() &&
8114         !type.getQualifiers().hasObjCLifetime() &&
8115         !type.getQualifiers().hasObjCGCAttr() &&
8116         attr.getKind() != ParsedAttr::AT_ObjCGC &&
8117         attr.getKind() != ParsedAttr::AT_ObjCOwnership) {
8118       const IdentifierInfo *MacroII = attr.getMacroIdentifier();
8119       type = state.getSema().Context.getMacroQualifiedType(type, MacroII);
8120       state.setExpansionLocForMacroQualifiedType(
8121           cast<MacroQualifiedType>(type.getTypePtr()),
8122           attr.getMacroExpansionLoc());
8123     }
8124   }
8125 
8126   if (!state.getSema().getLangOpts().OpenCL ||
8127       type.getAddressSpace() != LangAS::Default)
8128     return;
8129 }
8130 
8131 void Sema::completeExprArrayBound(Expr *E) {
8132   if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E->IgnoreParens())) {
8133     if (VarDecl *Var = dyn_cast<VarDecl>(DRE->getDecl())) {
8134       if (isTemplateInstantiation(Var->getTemplateSpecializationKind())) {
8135         auto *Def = Var->getDefinition();
8136         if (!Def) {
8137           SourceLocation PointOfInstantiation = E->getExprLoc();
8138           runWithSufficientStackSpace(PointOfInstantiation, [&] {
8139             InstantiateVariableDefinition(PointOfInstantiation, Var);
8140           });
8141           Def = Var->getDefinition();
8142 
8143           // If we don't already have a point of instantiation, and we managed
8144           // to instantiate a definition, this is the point of instantiation.
8145           // Otherwise, we don't request an end-of-TU instantiation, so this is
8146           // not a point of instantiation.
8147           // FIXME: Is this really the right behavior?
8148           if (Var->getPointOfInstantiation().isInvalid() && Def) {
8149             assert(Var->getTemplateSpecializationKind() ==
8150                        TSK_ImplicitInstantiation &&
8151                    "explicit instantiation with no point of instantiation");
8152             Var->setTemplateSpecializationKind(
8153                 Var->getTemplateSpecializationKind(), PointOfInstantiation);
8154           }
8155         }
8156 
8157         // Update the type to the definition's type both here and within the
8158         // expression.
8159         if (Def) {
8160           DRE->setDecl(Def);
8161           QualType T = Def->getType();
8162           DRE->setType(T);
8163           // FIXME: Update the type on all intervening expressions.
8164           E->setType(T);
8165         }
8166 
8167         // We still go on to try to complete the type independently, as it
8168         // may also require instantiations or diagnostics if it remains
8169         // incomplete.
8170       }
8171     }
8172   }
8173 }
8174 
8175 /// Ensure that the type of the given expression is complete.
8176 ///
8177 /// This routine checks whether the expression \p E has a complete type. If the
8178 /// expression refers to an instantiable construct, that instantiation is
8179 /// performed as needed to complete its type. Furthermore
8180 /// Sema::RequireCompleteType is called for the expression's type (or in the
8181 /// case of a reference type, the referred-to type).
8182 ///
8183 /// \param E The expression whose type is required to be complete.
8184 /// \param Kind Selects which completeness rules should be applied.
8185 /// \param Diagnoser The object that will emit a diagnostic if the type is
8186 /// incomplete.
8187 ///
8188 /// \returns \c true if the type of \p E is incomplete and diagnosed, \c false
8189 /// otherwise.
8190 bool Sema::RequireCompleteExprType(Expr *E, CompleteTypeKind Kind,
8191                                    TypeDiagnoser &Diagnoser) {
8192   QualType T = E->getType();
8193 
8194   // Incomplete array types may be completed by the initializer attached to
8195   // their definitions. For static data members of class templates and for
8196   // variable templates, we need to instantiate the definition to get this
8197   // initializer and complete the type.
8198   if (T->isIncompleteArrayType()) {
8199     completeExprArrayBound(E);
8200     T = E->getType();
8201   }
8202 
8203   // FIXME: Are there other cases which require instantiating something other
8204   // than the type to complete the type of an expression?
8205 
8206   return RequireCompleteType(E->getExprLoc(), T, Kind, Diagnoser);
8207 }
8208 
8209 bool Sema::RequireCompleteExprType(Expr *E, unsigned DiagID) {
8210   BoundTypeDiagnoser<> Diagnoser(DiagID);
8211   return RequireCompleteExprType(E, CompleteTypeKind::Default, Diagnoser);
8212 }
8213 
8214 /// Ensure that the type T is a complete type.
8215 ///
8216 /// This routine checks whether the type @p T is complete in any
8217 /// context where a complete type is required. If @p T is a complete
8218 /// type, returns false. If @p T is a class template specialization,
8219 /// this routine then attempts to perform class template
8220 /// instantiation. If instantiation fails, or if @p T is incomplete
8221 /// and cannot be completed, issues the diagnostic @p diag (giving it
8222 /// the type @p T) and returns true.
8223 ///
8224 /// @param Loc  The location in the source that the incomplete type
8225 /// diagnostic should refer to.
8226 ///
8227 /// @param T  The type that this routine is examining for completeness.
8228 ///
8229 /// @param Kind Selects which completeness rules should be applied.
8230 ///
8231 /// @returns @c true if @p T is incomplete and a diagnostic was emitted,
8232 /// @c false otherwise.
8233 bool Sema::RequireCompleteType(SourceLocation Loc, QualType T,
8234                                CompleteTypeKind Kind,
8235                                TypeDiagnoser &Diagnoser) {
8236   if (RequireCompleteTypeImpl(Loc, T, Kind, &Diagnoser))
8237     return true;
8238   if (const TagType *Tag = T->getAs<TagType>()) {
8239     if (!Tag->getDecl()->isCompleteDefinitionRequired()) {
8240       Tag->getDecl()->setCompleteDefinitionRequired();
8241       Consumer.HandleTagDeclRequiredDefinition(Tag->getDecl());
8242     }
8243   }
8244   return false;
8245 }
8246 
8247 bool Sema::hasStructuralCompatLayout(Decl *D, Decl *Suggested) {
8248   llvm::DenseSet<std::pair<Decl *, Decl *>> NonEquivalentDecls;
8249   if (!Suggested)
8250     return false;
8251 
8252   // FIXME: Add a specific mode for C11 6.2.7/1 in StructuralEquivalenceContext
8253   // and isolate from other C++ specific checks.
8254   StructuralEquivalenceContext Ctx(
8255       D->getASTContext(), Suggested->getASTContext(), NonEquivalentDecls,
8256       StructuralEquivalenceKind::Default,
8257       false /*StrictTypeSpelling*/, true /*Complain*/,
8258       true /*ErrorOnTagTypeMismatch*/);
8259   return Ctx.IsEquivalent(D, Suggested);
8260 }
8261 
8262 /// Determine whether there is any declaration of \p D that was ever a
8263 ///        definition (perhaps before module merging) and is currently visible.
8264 /// \param D The definition of the entity.
8265 /// \param Suggested Filled in with the declaration that should be made visible
8266 ///        in order to provide a definition of this entity.
8267 /// \param OnlyNeedComplete If \c true, we only need the type to be complete,
8268 ///        not defined. This only matters for enums with a fixed underlying
8269 ///        type, since in all other cases, a type is complete if and only if it
8270 ///        is defined.
8271 bool Sema::hasVisibleDefinition(NamedDecl *D, NamedDecl **Suggested,
8272                                 bool OnlyNeedComplete) {
8273   // Easy case: if we don't have modules, all declarations are visible.
8274   if (!getLangOpts().Modules && !getLangOpts().ModulesLocalVisibility)
8275     return true;
8276 
8277   // If this definition was instantiated from a template, map back to the
8278   // pattern from which it was instantiated.
8279   if (isa<TagDecl>(D) && cast<TagDecl>(D)->isBeingDefined()) {
8280     // We're in the middle of defining it; this definition should be treated
8281     // as visible.
8282     return true;
8283   } else if (auto *RD = dyn_cast<CXXRecordDecl>(D)) {
8284     if (auto *Pattern = RD->getTemplateInstantiationPattern())
8285       RD = Pattern;
8286     D = RD->getDefinition();
8287   } else if (auto *ED = dyn_cast<EnumDecl>(D)) {
8288     if (auto *Pattern = ED->getTemplateInstantiationPattern())
8289       ED = Pattern;
8290     if (OnlyNeedComplete && (ED->isFixed() || getLangOpts().MSVCCompat)) {
8291       // If the enum has a fixed underlying type, it may have been forward
8292       // declared. In -fms-compatibility, `enum Foo;` will also forward declare
8293       // the enum and assign it the underlying type of `int`. Since we're only
8294       // looking for a complete type (not a definition), any visible declaration
8295       // of it will do.
8296       *Suggested = nullptr;
8297       for (auto *Redecl : ED->redecls()) {
8298         if (isVisible(Redecl))
8299           return true;
8300         if (Redecl->isThisDeclarationADefinition() ||
8301             (Redecl->isCanonicalDecl() && !*Suggested))
8302           *Suggested = Redecl;
8303       }
8304       return false;
8305     }
8306     D = ED->getDefinition();
8307   } else if (auto *FD = dyn_cast<FunctionDecl>(D)) {
8308     if (auto *Pattern = FD->getTemplateInstantiationPattern())
8309       FD = Pattern;
8310     D = FD->getDefinition();
8311   } else if (auto *VD = dyn_cast<VarDecl>(D)) {
8312     if (auto *Pattern = VD->getTemplateInstantiationPattern())
8313       VD = Pattern;
8314     D = VD->getDefinition();
8315   }
8316   assert(D && "missing definition for pattern of instantiated definition");
8317 
8318   *Suggested = D;
8319 
8320   auto DefinitionIsVisible = [&] {
8321     // The (primary) definition might be in a visible module.
8322     if (isVisible(D))
8323       return true;
8324 
8325     // A visible module might have a merged definition instead.
8326     if (D->isModulePrivate() ? hasMergedDefinitionInCurrentModule(D)
8327                              : hasVisibleMergedDefinition(D)) {
8328       if (CodeSynthesisContexts.empty() &&
8329           !getLangOpts().ModulesLocalVisibility) {
8330         // Cache the fact that this definition is implicitly visible because
8331         // there is a visible merged definition.
8332         D->setVisibleDespiteOwningModule();
8333       }
8334       return true;
8335     }
8336 
8337     return false;
8338   };
8339 
8340   if (DefinitionIsVisible())
8341     return true;
8342 
8343   // The external source may have additional definitions of this entity that are
8344   // visible, so complete the redeclaration chain now and ask again.
8345   if (auto *Source = Context.getExternalSource()) {
8346     Source->CompleteRedeclChain(D);
8347     return DefinitionIsVisible();
8348   }
8349 
8350   return false;
8351 }
8352 
8353 /// Locks in the inheritance model for the given class and all of its bases.
8354 static void assignInheritanceModel(Sema &S, CXXRecordDecl *RD) {
8355   RD = RD->getMostRecentNonInjectedDecl();
8356   if (!RD->hasAttr<MSInheritanceAttr>()) {
8357     MSInheritanceModel IM;
8358     bool BestCase = false;
8359     switch (S.MSPointerToMemberRepresentationMethod) {
8360     case LangOptions::PPTMK_BestCase:
8361       BestCase = true;
8362       IM = RD->calculateInheritanceModel();
8363       break;
8364     case LangOptions::PPTMK_FullGeneralitySingleInheritance:
8365       IM = MSInheritanceModel::Single;
8366       break;
8367     case LangOptions::PPTMK_FullGeneralityMultipleInheritance:
8368       IM = MSInheritanceModel::Multiple;
8369       break;
8370     case LangOptions::PPTMK_FullGeneralityVirtualInheritance:
8371       IM = MSInheritanceModel::Unspecified;
8372       break;
8373     }
8374 
8375     SourceRange Loc = S.ImplicitMSInheritanceAttrLoc.isValid()
8376                           ? S.ImplicitMSInheritanceAttrLoc
8377                           : RD->getSourceRange();
8378     RD->addAttr(MSInheritanceAttr::CreateImplicit(
8379         S.getASTContext(), BestCase, Loc, AttributeCommonInfo::AS_Microsoft,
8380         MSInheritanceAttr::Spelling(IM)));
8381     S.Consumer.AssignInheritanceModel(RD);
8382   }
8383 }
8384 
8385 /// The implementation of RequireCompleteType
8386 bool Sema::RequireCompleteTypeImpl(SourceLocation Loc, QualType T,
8387                                    CompleteTypeKind Kind,
8388                                    TypeDiagnoser *Diagnoser) {
8389   // FIXME: Add this assertion to make sure we always get instantiation points.
8390   //  assert(!Loc.isInvalid() && "Invalid location in RequireCompleteType");
8391   // FIXME: Add this assertion to help us flush out problems with
8392   // checking for dependent types and type-dependent expressions.
8393   //
8394   //  assert(!T->isDependentType() &&
8395   //         "Can't ask whether a dependent type is complete");
8396 
8397   if (const MemberPointerType *MPTy = T->getAs<MemberPointerType>()) {
8398     if (!MPTy->getClass()->isDependentType()) {
8399       if (getLangOpts().CompleteMemberPointers &&
8400           !MPTy->getClass()->getAsCXXRecordDecl()->isBeingDefined() &&
8401           RequireCompleteType(Loc, QualType(MPTy->getClass(), 0), Kind,
8402                               diag::err_memptr_incomplete))
8403         return true;
8404 
8405       // We lock in the inheritance model once somebody has asked us to ensure
8406       // that a pointer-to-member type is complete.
8407       if (Context.getTargetInfo().getCXXABI().isMicrosoft()) {
8408         (void)isCompleteType(Loc, QualType(MPTy->getClass(), 0));
8409         assignInheritanceModel(*this, MPTy->getMostRecentCXXRecordDecl());
8410       }
8411     }
8412   }
8413 
8414   NamedDecl *Def = nullptr;
8415   bool AcceptSizeless = (Kind == CompleteTypeKind::AcceptSizeless);
8416   bool Incomplete = (T->isIncompleteType(&Def) ||
8417                      (!AcceptSizeless && T->isSizelessBuiltinType()));
8418 
8419   // Check that any necessary explicit specializations are visible. For an
8420   // enum, we just need the declaration, so don't check this.
8421   if (Def && !isa<EnumDecl>(Def))
8422     checkSpecializationVisibility(Loc, Def);
8423 
8424   // If we have a complete type, we're done.
8425   if (!Incomplete) {
8426     // If we know about the definition but it is not visible, complain.
8427     NamedDecl *SuggestedDef = nullptr;
8428     if (Def &&
8429         !hasVisibleDefinition(Def, &SuggestedDef, /*OnlyNeedComplete*/true)) {
8430       // If the user is going to see an error here, recover by making the
8431       // definition visible.
8432       bool TreatAsComplete = Diagnoser && !isSFINAEContext();
8433       if (Diagnoser && SuggestedDef)
8434         diagnoseMissingImport(Loc, SuggestedDef, MissingImportKind::Definition,
8435                               /*Recover*/TreatAsComplete);
8436       return !TreatAsComplete;
8437     } else if (Def && !TemplateInstCallbacks.empty()) {
8438       CodeSynthesisContext TempInst;
8439       TempInst.Kind = CodeSynthesisContext::Memoization;
8440       TempInst.Template = Def;
8441       TempInst.Entity = Def;
8442       TempInst.PointOfInstantiation = Loc;
8443       atTemplateBegin(TemplateInstCallbacks, *this, TempInst);
8444       atTemplateEnd(TemplateInstCallbacks, *this, TempInst);
8445     }
8446 
8447     return false;
8448   }
8449 
8450   TagDecl *Tag = dyn_cast_or_null<TagDecl>(Def);
8451   ObjCInterfaceDecl *IFace = dyn_cast_or_null<ObjCInterfaceDecl>(Def);
8452 
8453   // Give the external source a chance to provide a definition of the type.
8454   // This is kept separate from completing the redeclaration chain so that
8455   // external sources such as LLDB can avoid synthesizing a type definition
8456   // unless it's actually needed.
8457   if (Tag || IFace) {
8458     // Avoid diagnosing invalid decls as incomplete.
8459     if (Def->isInvalidDecl())
8460       return true;
8461 
8462     // Give the external AST source a chance to complete the type.
8463     if (auto *Source = Context.getExternalSource()) {
8464       if (Tag && Tag->hasExternalLexicalStorage())
8465           Source->CompleteType(Tag);
8466       if (IFace && IFace->hasExternalLexicalStorage())
8467           Source->CompleteType(IFace);
8468       // If the external source completed the type, go through the motions
8469       // again to ensure we're allowed to use the completed type.
8470       if (!T->isIncompleteType())
8471         return RequireCompleteTypeImpl(Loc, T, Kind, Diagnoser);
8472     }
8473   }
8474 
8475   // If we have a class template specialization or a class member of a
8476   // class template specialization, or an array with known size of such,
8477   // try to instantiate it.
8478   if (auto *RD = dyn_cast_or_null<CXXRecordDecl>(Tag)) {
8479     bool Instantiated = false;
8480     bool Diagnosed = false;
8481     if (RD->isDependentContext()) {
8482       // Don't try to instantiate a dependent class (eg, a member template of
8483       // an instantiated class template specialization).
8484       // FIXME: Can this ever happen?
8485     } else if (auto *ClassTemplateSpec =
8486             dyn_cast<ClassTemplateSpecializationDecl>(RD)) {
8487       if (ClassTemplateSpec->getSpecializationKind() == TSK_Undeclared) {
8488         runWithSufficientStackSpace(Loc, [&] {
8489           Diagnosed = InstantiateClassTemplateSpecialization(
8490               Loc, ClassTemplateSpec, TSK_ImplicitInstantiation,
8491               /*Complain=*/Diagnoser);
8492         });
8493         Instantiated = true;
8494       }
8495     } else {
8496       CXXRecordDecl *Pattern = RD->getInstantiatedFromMemberClass();
8497       if (!RD->isBeingDefined() && Pattern) {
8498         MemberSpecializationInfo *MSI = RD->getMemberSpecializationInfo();
8499         assert(MSI && "Missing member specialization information?");
8500         // This record was instantiated from a class within a template.
8501         if (MSI->getTemplateSpecializationKind() !=
8502             TSK_ExplicitSpecialization) {
8503           runWithSufficientStackSpace(Loc, [&] {
8504             Diagnosed = InstantiateClass(Loc, RD, Pattern,
8505                                          getTemplateInstantiationArgs(RD),
8506                                          TSK_ImplicitInstantiation,
8507                                          /*Complain=*/Diagnoser);
8508           });
8509           Instantiated = true;
8510         }
8511       }
8512     }
8513 
8514     if (Instantiated) {
8515       // Instantiate* might have already complained that the template is not
8516       // defined, if we asked it to.
8517       if (Diagnoser && Diagnosed)
8518         return true;
8519       // If we instantiated a definition, check that it's usable, even if
8520       // instantiation produced an error, so that repeated calls to this
8521       // function give consistent answers.
8522       if (!T->isIncompleteType())
8523         return RequireCompleteTypeImpl(Loc, T, Kind, Diagnoser);
8524     }
8525   }
8526 
8527   // FIXME: If we didn't instantiate a definition because of an explicit
8528   // specialization declaration, check that it's visible.
8529 
8530   if (!Diagnoser)
8531     return true;
8532 
8533   Diagnoser->diagnose(*this, Loc, T);
8534 
8535   // If the type was a forward declaration of a class/struct/union
8536   // type, produce a note.
8537   if (Tag && !Tag->isInvalidDecl() && !Tag->getLocation().isInvalid())
8538     Diag(Tag->getLocation(),
8539          Tag->isBeingDefined() ? diag::note_type_being_defined
8540                                : diag::note_forward_declaration)
8541       << Context.getTagDeclType(Tag);
8542 
8543   // If the Objective-C class was a forward declaration, produce a note.
8544   if (IFace && !IFace->isInvalidDecl() && !IFace->getLocation().isInvalid())
8545     Diag(IFace->getLocation(), diag::note_forward_class);
8546 
8547   // If we have external information that we can use to suggest a fix,
8548   // produce a note.
8549   if (ExternalSource)
8550     ExternalSource->MaybeDiagnoseMissingCompleteType(Loc, T);
8551 
8552   return true;
8553 }
8554 
8555 bool Sema::RequireCompleteType(SourceLocation Loc, QualType T,
8556                                CompleteTypeKind Kind, unsigned DiagID) {
8557   BoundTypeDiagnoser<> Diagnoser(DiagID);
8558   return RequireCompleteType(Loc, T, Kind, Diagnoser);
8559 }
8560 
8561 /// Get diagnostic %select index for tag kind for
8562 /// literal type diagnostic message.
8563 /// WARNING: Indexes apply to particular diagnostics only!
8564 ///
8565 /// \returns diagnostic %select index.
8566 static unsigned getLiteralDiagFromTagKind(TagTypeKind Tag) {
8567   switch (Tag) {
8568   case TTK_Struct: return 0;
8569   case TTK_Interface: return 1;
8570   case TTK_Class:  return 2;
8571   default: llvm_unreachable("Invalid tag kind for literal type diagnostic!");
8572   }
8573 }
8574 
8575 /// Ensure that the type T is a literal type.
8576 ///
8577 /// This routine checks whether the type @p T is a literal type. If @p T is an
8578 /// incomplete type, an attempt is made to complete it. If @p T is a literal
8579 /// type, or @p AllowIncompleteType is true and @p T is an incomplete type,
8580 /// returns false. Otherwise, this routine issues the diagnostic @p PD (giving
8581 /// it the type @p T), along with notes explaining why the type is not a
8582 /// literal type, and returns true.
8583 ///
8584 /// @param Loc  The location in the source that the non-literal type
8585 /// diagnostic should refer to.
8586 ///
8587 /// @param T  The type that this routine is examining for literalness.
8588 ///
8589 /// @param Diagnoser Emits a diagnostic if T is not a literal type.
8590 ///
8591 /// @returns @c true if @p T is not a literal type and a diagnostic was emitted,
8592 /// @c false otherwise.
8593 bool Sema::RequireLiteralType(SourceLocation Loc, QualType T,
8594                               TypeDiagnoser &Diagnoser) {
8595   assert(!T->isDependentType() && "type should not be dependent");
8596 
8597   QualType ElemType = Context.getBaseElementType(T);
8598   if ((isCompleteType(Loc, ElemType) || ElemType->isVoidType()) &&
8599       T->isLiteralType(Context))
8600     return false;
8601 
8602   Diagnoser.diagnose(*this, Loc, T);
8603 
8604   if (T->isVariableArrayType())
8605     return true;
8606 
8607   const RecordType *RT = ElemType->getAs<RecordType>();
8608   if (!RT)
8609     return true;
8610 
8611   const CXXRecordDecl *RD = cast<CXXRecordDecl>(RT->getDecl());
8612 
8613   // A partially-defined class type can't be a literal type, because a literal
8614   // class type must have a trivial destructor (which can't be checked until
8615   // the class definition is complete).
8616   if (RequireCompleteType(Loc, ElemType, diag::note_non_literal_incomplete, T))
8617     return true;
8618 
8619   // [expr.prim.lambda]p3:
8620   //   This class type is [not] a literal type.
8621   if (RD->isLambda() && !getLangOpts().CPlusPlus17) {
8622     Diag(RD->getLocation(), diag::note_non_literal_lambda);
8623     return true;
8624   }
8625 
8626   // If the class has virtual base classes, then it's not an aggregate, and
8627   // cannot have any constexpr constructors or a trivial default constructor,
8628   // so is non-literal. This is better to diagnose than the resulting absence
8629   // of constexpr constructors.
8630   if (RD->getNumVBases()) {
8631     Diag(RD->getLocation(), diag::note_non_literal_virtual_base)
8632       << getLiteralDiagFromTagKind(RD->getTagKind()) << RD->getNumVBases();
8633     for (const auto &I : RD->vbases())
8634       Diag(I.getBeginLoc(), diag::note_constexpr_virtual_base_here)
8635           << I.getSourceRange();
8636   } else if (!RD->isAggregate() && !RD->hasConstexprNonCopyMoveConstructor() &&
8637              !RD->hasTrivialDefaultConstructor()) {
8638     Diag(RD->getLocation(), diag::note_non_literal_no_constexpr_ctors) << RD;
8639   } else if (RD->hasNonLiteralTypeFieldsOrBases()) {
8640     for (const auto &I : RD->bases()) {
8641       if (!I.getType()->isLiteralType(Context)) {
8642         Diag(I.getBeginLoc(), diag::note_non_literal_base_class)
8643             << RD << I.getType() << I.getSourceRange();
8644         return true;
8645       }
8646     }
8647     for (const auto *I : RD->fields()) {
8648       if (!I->getType()->isLiteralType(Context) ||
8649           I->getType().isVolatileQualified()) {
8650         Diag(I->getLocation(), diag::note_non_literal_field)
8651           << RD << I << I->getType()
8652           << I->getType().isVolatileQualified();
8653         return true;
8654       }
8655     }
8656   } else if (getLangOpts().CPlusPlus20 ? !RD->hasConstexprDestructor()
8657                                        : !RD->hasTrivialDestructor()) {
8658     // All fields and bases are of literal types, so have trivial or constexpr
8659     // destructors. If this class's destructor is non-trivial / non-constexpr,
8660     // it must be user-declared.
8661     CXXDestructorDecl *Dtor = RD->getDestructor();
8662     assert(Dtor && "class has literal fields and bases but no dtor?");
8663     if (!Dtor)
8664       return true;
8665 
8666     if (getLangOpts().CPlusPlus20) {
8667       Diag(Dtor->getLocation(), diag::note_non_literal_non_constexpr_dtor)
8668           << RD;
8669     } else {
8670       Diag(Dtor->getLocation(), Dtor->isUserProvided()
8671                                     ? diag::note_non_literal_user_provided_dtor
8672                                     : diag::note_non_literal_nontrivial_dtor)
8673           << RD;
8674       if (!Dtor->isUserProvided())
8675         SpecialMemberIsTrivial(Dtor, CXXDestructor, TAH_IgnoreTrivialABI,
8676                                /*Diagnose*/ true);
8677     }
8678   }
8679 
8680   return true;
8681 }
8682 
8683 bool Sema::RequireLiteralType(SourceLocation Loc, QualType T, unsigned DiagID) {
8684   BoundTypeDiagnoser<> Diagnoser(DiagID);
8685   return RequireLiteralType(Loc, T, Diagnoser);
8686 }
8687 
8688 /// Retrieve a version of the type 'T' that is elaborated by Keyword, qualified
8689 /// by the nested-name-specifier contained in SS, and that is (re)declared by
8690 /// OwnedTagDecl, which is nullptr if this is not a (re)declaration.
8691 QualType Sema::getElaboratedType(ElaboratedTypeKeyword Keyword,
8692                                  const CXXScopeSpec &SS, QualType T,
8693                                  TagDecl *OwnedTagDecl) {
8694   if (T.isNull())
8695     return T;
8696   NestedNameSpecifier *NNS;
8697   if (SS.isValid())
8698     NNS = SS.getScopeRep();
8699   else {
8700     if (Keyword == ETK_None)
8701       return T;
8702     NNS = nullptr;
8703   }
8704   return Context.getElaboratedType(Keyword, NNS, T, OwnedTagDecl);
8705 }
8706 
8707 QualType Sema::BuildTypeofExprType(Expr *E, SourceLocation Loc) {
8708   assert(!E->hasPlaceholderType() && "unexpected placeholder");
8709 
8710   if (!getLangOpts().CPlusPlus && E->refersToBitField())
8711     Diag(E->getExprLoc(), diag::err_sizeof_alignof_typeof_bitfield) << 2;
8712 
8713   if (!E->isTypeDependent()) {
8714     QualType T = E->getType();
8715     if (const TagType *TT = T->getAs<TagType>())
8716       DiagnoseUseOfDecl(TT->getDecl(), E->getExprLoc());
8717   }
8718   return Context.getTypeOfExprType(E);
8719 }
8720 
8721 /// getDecltypeForExpr - Given an expr, will return the decltype for
8722 /// that expression, according to the rules in C++11
8723 /// [dcl.type.simple]p4 and C++11 [expr.lambda.prim]p18.
8724 static QualType getDecltypeForExpr(Sema &S, Expr *E) {
8725   if (E->isTypeDependent())
8726     return S.Context.DependentTy;
8727 
8728   // C++11 [dcl.type.simple]p4:
8729   //   The type denoted by decltype(e) is defined as follows:
8730   //
8731   //     - if e is an unparenthesized id-expression or an unparenthesized class
8732   //       member access (5.2.5), decltype(e) is the type of the entity named
8733   //       by e. If there is no such entity, or if e names a set of overloaded
8734   //       functions, the program is ill-formed;
8735   //
8736   // We apply the same rules for Objective-C ivar and property references.
8737   if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
8738     const ValueDecl *VD = DRE->getDecl();
8739     return VD->getType();
8740   } else if (const MemberExpr *ME = dyn_cast<MemberExpr>(E)) {
8741     if (const ValueDecl *VD = ME->getMemberDecl())
8742       if (isa<FieldDecl>(VD) || isa<VarDecl>(VD))
8743         return VD->getType();
8744   } else if (const ObjCIvarRefExpr *IR = dyn_cast<ObjCIvarRefExpr>(E)) {
8745     return IR->getDecl()->getType();
8746   } else if (const ObjCPropertyRefExpr *PR = dyn_cast<ObjCPropertyRefExpr>(E)) {
8747     if (PR->isExplicitProperty())
8748       return PR->getExplicitProperty()->getType();
8749   } else if (auto *PE = dyn_cast<PredefinedExpr>(E)) {
8750     return PE->getType();
8751   }
8752 
8753   // C++11 [expr.lambda.prim]p18:
8754   //   Every occurrence of decltype((x)) where x is a possibly
8755   //   parenthesized id-expression that names an entity of automatic
8756   //   storage duration is treated as if x were transformed into an
8757   //   access to a corresponding data member of the closure type that
8758   //   would have been declared if x were an odr-use of the denoted
8759   //   entity.
8760   using namespace sema;
8761   if (S.getCurLambda()) {
8762     if (isa<ParenExpr>(E)) {
8763       if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E->IgnoreParens())) {
8764         if (VarDecl *Var = dyn_cast<VarDecl>(DRE->getDecl())) {
8765           QualType T = S.getCapturedDeclRefType(Var, DRE->getLocation());
8766           if (!T.isNull())
8767             return S.Context.getLValueReferenceType(T);
8768         }
8769       }
8770     }
8771   }
8772 
8773 
8774   // C++11 [dcl.type.simple]p4:
8775   //   [...]
8776   QualType T = E->getType();
8777   switch (E->getValueKind()) {
8778   //     - otherwise, if e is an xvalue, decltype(e) is T&&, where T is the
8779   //       type of e;
8780   case VK_XValue: T = S.Context.getRValueReferenceType(T); break;
8781   //     - otherwise, if e is an lvalue, decltype(e) is T&, where T is the
8782   //       type of e;
8783   case VK_LValue: T = S.Context.getLValueReferenceType(T); break;
8784   //  - otherwise, decltype(e) is the type of e.
8785   case VK_RValue: break;
8786   }
8787 
8788   return T;
8789 }
8790 
8791 QualType Sema::BuildDecltypeType(Expr *E, SourceLocation Loc,
8792                                  bool AsUnevaluated) {
8793   assert(!E->hasPlaceholderType() && "unexpected placeholder");
8794 
8795   if (AsUnevaluated && CodeSynthesisContexts.empty() &&
8796       E->HasSideEffects(Context, false)) {
8797     // The expression operand for decltype is in an unevaluated expression
8798     // context, so side effects could result in unintended consequences.
8799     Diag(E->getExprLoc(), diag::warn_side_effects_unevaluated_context);
8800   }
8801 
8802   return Context.getDecltypeType(E, getDecltypeForExpr(*this, E));
8803 }
8804 
8805 QualType Sema::BuildUnaryTransformType(QualType BaseType,
8806                                        UnaryTransformType::UTTKind UKind,
8807                                        SourceLocation Loc) {
8808   switch (UKind) {
8809   case UnaryTransformType::EnumUnderlyingType:
8810     if (!BaseType->isDependentType() && !BaseType->isEnumeralType()) {
8811       Diag(Loc, diag::err_only_enums_have_underlying_types);
8812       return QualType();
8813     } else {
8814       QualType Underlying = BaseType;
8815       if (!BaseType->isDependentType()) {
8816         // The enum could be incomplete if we're parsing its definition or
8817         // recovering from an error.
8818         NamedDecl *FwdDecl = nullptr;
8819         if (BaseType->isIncompleteType(&FwdDecl)) {
8820           Diag(Loc, diag::err_underlying_type_of_incomplete_enum) << BaseType;
8821           Diag(FwdDecl->getLocation(), diag::note_forward_declaration) << FwdDecl;
8822           return QualType();
8823         }
8824 
8825         EnumDecl *ED = BaseType->getAs<EnumType>()->getDecl();
8826         assert(ED && "EnumType has no EnumDecl");
8827 
8828         DiagnoseUseOfDecl(ED, Loc);
8829 
8830         Underlying = ED->getIntegerType();
8831         assert(!Underlying.isNull());
8832       }
8833       return Context.getUnaryTransformType(BaseType, Underlying,
8834                                         UnaryTransformType::EnumUnderlyingType);
8835     }
8836   }
8837   llvm_unreachable("unknown unary transform type");
8838 }
8839 
8840 QualType Sema::BuildAtomicType(QualType T, SourceLocation Loc) {
8841   if (!T->isDependentType()) {
8842     // FIXME: It isn't entirely clear whether incomplete atomic types
8843     // are allowed or not; for simplicity, ban them for the moment.
8844     if (RequireCompleteType(Loc, T, diag::err_atomic_specifier_bad_type, 0))
8845       return QualType();
8846 
8847     int DisallowedKind = -1;
8848     if (T->isArrayType())
8849       DisallowedKind = 1;
8850     else if (T->isFunctionType())
8851       DisallowedKind = 2;
8852     else if (T->isReferenceType())
8853       DisallowedKind = 3;
8854     else if (T->isAtomicType())
8855       DisallowedKind = 4;
8856     else if (T.hasQualifiers())
8857       DisallowedKind = 5;
8858     else if (T->isSizelessType())
8859       DisallowedKind = 6;
8860     else if (!T.isTriviallyCopyableType(Context))
8861       // Some other non-trivially-copyable type (probably a C++ class)
8862       DisallowedKind = 7;
8863     else if (auto *ExtTy = T->getAs<ExtIntType>()) {
8864       if (ExtTy->getNumBits() < 8)
8865         DisallowedKind = 8;
8866       else if (!llvm::isPowerOf2_32(ExtTy->getNumBits()))
8867         DisallowedKind = 9;
8868     }
8869 
8870     if (DisallowedKind != -1) {
8871       Diag(Loc, diag::err_atomic_specifier_bad_type) << DisallowedKind << T;
8872       return QualType();
8873     }
8874 
8875     // FIXME: Do we need any handling for ARC here?
8876   }
8877 
8878   // Build the pointer type.
8879   return Context.getAtomicType(T);
8880 }
8881