clang 20.0.0git
ASTReaderDecl.cpp
Go to the documentation of this file.
1//===- ASTReaderDecl.cpp - Decl Deserialization ---------------------------===//
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 the ASTReader::readDeclRecord method, which is the
10// entrypoint for loading a decl.
11//
12//===----------------------------------------------------------------------===//
13
14#include "ASTCommon.h"
15#include "ASTReaderInternals.h"
19#include "clang/AST/Attr.h"
21#include "clang/AST/Decl.h"
22#include "clang/AST/DeclBase.h"
23#include "clang/AST/DeclCXX.h"
25#include "clang/AST/DeclObjC.h"
30#include "clang/AST/Expr.h"
36#include "clang/AST/Stmt.h"
38#include "clang/AST/Type.h"
44#include "clang/Basic/LLVM.h"
45#include "clang/Basic/Lambda.h"
47#include "clang/Basic/Linkage.h"
48#include "clang/Basic/Module.h"
52#include "clang/Basic/Stack.h"
58#include "llvm/ADT/DenseMap.h"
59#include "llvm/ADT/FoldingSet.h"
60#include "llvm/ADT/STLExtras.h"
61#include "llvm/ADT/SmallPtrSet.h"
62#include "llvm/ADT/SmallVector.h"
63#include "llvm/ADT/iterator_range.h"
64#include "llvm/Bitstream/BitstreamReader.h"
65#include "llvm/Support/Casting.h"
66#include "llvm/Support/ErrorHandling.h"
67#include "llvm/Support/SaveAndRestore.h"
68#include <algorithm>
69#include <cassert>
70#include <cstdint>
71#include <cstring>
72#include <string>
73#include <utility>
74
75using namespace clang;
76using namespace serialization;
77
78//===----------------------------------------------------------------------===//
79// Declaration Merging
80//===----------------------------------------------------------------------===//
81
82namespace {
83/// Results from loading a RedeclarableDecl.
84class RedeclarableResult {
85 Decl *MergeWith;
86 GlobalDeclID FirstID;
87 bool IsKeyDecl;
88
89public:
90 RedeclarableResult(Decl *MergeWith, GlobalDeclID FirstID, bool IsKeyDecl)
91 : MergeWith(MergeWith), FirstID(FirstID), IsKeyDecl(IsKeyDecl) {}
92
93 /// Retrieve the first ID.
94 GlobalDeclID getFirstID() const { return FirstID; }
95
96 /// Is this declaration a key declaration?
97 bool isKeyDecl() const { return IsKeyDecl; }
98
99 /// Get a known declaration that this should be merged with, if
100 /// any.
101 Decl *getKnownMergeTarget() const { return MergeWith; }
102};
103} // namespace
104
105namespace clang {
107 ASTReader &Reader;
108
109public:
110 ASTDeclMerger(ASTReader &Reader) : Reader(Reader) {}
111
112 void mergeLambda(CXXRecordDecl *D, RedeclarableResult &Redecl, Decl &Context,
113 unsigned Number);
114
115 /// \param KeyDeclID the decl ID of the key declaration \param D.
116 /// GlobalDeclID() if \param is not a key declaration.
117 /// See the comments of ASTReader::KeyDecls for the explanation
118 /// of key declaration.
119 template <typename T>
120 void mergeRedeclarableImpl(Redeclarable<T> *D, T *Existing,
121 GlobalDeclID KeyDeclID);
122
123 template <typename T>
125 RedeclarableResult &Redecl) {
127 D, Existing, Redecl.isKeyDecl() ? Redecl.getFirstID() : GlobalDeclID());
128 }
129
131 RedeclarableTemplateDecl *Existing, bool IsKeyDecl);
132
134 struct CXXRecordDecl::DefinitionData &&NewDD);
136 struct ObjCInterfaceDecl::DefinitionData &&NewDD);
138 struct ObjCProtocolDecl::DefinitionData &&NewDD);
139};
140} // namespace clang
141
142//===----------------------------------------------------------------------===//
143// Declaration deserialization
144//===----------------------------------------------------------------------===//
145
146namespace clang {
147class ASTDeclReader : public DeclVisitor<ASTDeclReader, void> {
148 ASTReader &Reader;
149 ASTDeclMerger MergeImpl;
151 ASTReader::RecordLocation Loc;
152 const GlobalDeclID ThisDeclID;
153 const SourceLocation ThisDeclLoc;
154
156
157 TypeID DeferredTypeID = 0;
158 unsigned AnonymousDeclNumber = 0;
159 GlobalDeclID NamedDeclForTagDecl = GlobalDeclID();
160 IdentifierInfo *TypedefNameForLinkage = nullptr;
161
162 /// A flag to carry the information for a decl from the entity is
163 /// used. We use it to delay the marking of the canonical decl as used until
164 /// the entire declaration is deserialized and merged.
165 bool IsDeclMarkedUsed = false;
166
167 uint64_t GetCurrentCursorOffset();
168
169 uint64_t ReadLocalOffset() {
170 uint64_t LocalOffset = Record.readInt();
171 assert(LocalOffset < Loc.Offset && "offset point after current record");
172 return LocalOffset ? Loc.Offset - LocalOffset : 0;
173 }
174
175 uint64_t ReadGlobalOffset() {
176 uint64_t Local = ReadLocalOffset();
177 return Local ? Record.getGlobalBitOffset(Local) : 0;
178 }
179
180 SourceLocation readSourceLocation() { return Record.readSourceLocation(); }
181
182 SourceRange readSourceRange() { return Record.readSourceRange(); }
183
184 TypeSourceInfo *readTypeSourceInfo() { return Record.readTypeSourceInfo(); }
185
186 GlobalDeclID readDeclID() { return Record.readDeclID(); }
187
188 std::string readString() { return Record.readString(); }
189
190 Decl *readDecl() { return Record.readDecl(); }
191
192 template <typename T> T *readDeclAs() { return Record.readDeclAs<T>(); }
193
194 serialization::SubmoduleID readSubmoduleID() {
195 if (Record.getIdx() == Record.size())
196 return 0;
197
198 return Record.getGlobalSubmoduleID(Record.readInt());
199 }
200
201 Module *readModule() { return Record.getSubmodule(readSubmoduleID()); }
202
203 void ReadCXXRecordDefinition(CXXRecordDecl *D, bool Update,
204 Decl *LambdaContext = nullptr,
205 unsigned IndexInLambdaContext = 0);
206 void ReadCXXDefinitionData(struct CXXRecordDecl::DefinitionData &Data,
207 const CXXRecordDecl *D, Decl *LambdaContext,
208 unsigned IndexInLambdaContext);
209 void ReadObjCDefinitionData(struct ObjCInterfaceDecl::DefinitionData &Data);
210 void ReadObjCDefinitionData(struct ObjCProtocolDecl::DefinitionData &Data);
211
212 static DeclContext *getPrimaryDCForAnonymousDecl(DeclContext *LexicalDC);
213
214 static NamedDecl *getAnonymousDeclForMerging(ASTReader &Reader,
215 DeclContext *DC, unsigned Index);
216 static void setAnonymousDeclForMerging(ASTReader &Reader, DeclContext *DC,
217 unsigned Index, NamedDecl *D);
218
219 /// Commit to a primary definition of the class RD, which is known to be
220 /// a definition of the class. We might not have read the definition data
221 /// for it yet. If we haven't then allocate placeholder definition data
222 /// now too.
223 static CXXRecordDecl *getOrFakePrimaryClassDefinition(ASTReader &Reader,
224 CXXRecordDecl *RD);
225
226 /// Class used to capture the result of searching for an existing
227 /// declaration of a specific kind and name, along with the ability
228 /// to update the place where this result was found (the declaration
229 /// chain hanging off an identifier or the DeclContext we searched in)
230 /// if requested.
231 class FindExistingResult {
232 ASTReader &Reader;
233 NamedDecl *New = nullptr;
234 NamedDecl *Existing = nullptr;
235 bool AddResult = false;
236 unsigned AnonymousDeclNumber = 0;
237 IdentifierInfo *TypedefNameForLinkage = nullptr;
238
239 public:
240 FindExistingResult(ASTReader &Reader) : Reader(Reader) {}
241
242 FindExistingResult(ASTReader &Reader, NamedDecl *New, NamedDecl *Existing,
243 unsigned AnonymousDeclNumber,
244 IdentifierInfo *TypedefNameForLinkage)
245 : Reader(Reader), New(New), Existing(Existing), AddResult(true),
246 AnonymousDeclNumber(AnonymousDeclNumber),
247 TypedefNameForLinkage(TypedefNameForLinkage) {}
248
249 FindExistingResult(FindExistingResult &&Other)
250 : Reader(Other.Reader), New(Other.New), Existing(Other.Existing),
251 AddResult(Other.AddResult),
252 AnonymousDeclNumber(Other.AnonymousDeclNumber),
253 TypedefNameForLinkage(Other.TypedefNameForLinkage) {
254 Other.AddResult = false;
255 }
256
257 FindExistingResult &operator=(FindExistingResult &&) = delete;
258 ~FindExistingResult();
259
260 /// Suppress the addition of this result into the known set of
261 /// names.
262 void suppress() { AddResult = false; }
263
264 operator NamedDecl *() const { return Existing; }
265
266 template <typename T> operator T *() const {
267 return dyn_cast_or_null<T>(Existing);
268 }
269 };
270
271 static DeclContext *getPrimaryContextForMerging(ASTReader &Reader,
272 DeclContext *DC);
273 FindExistingResult findExisting(NamedDecl *D);
274
275public:
277 ASTReader::RecordLocation Loc, GlobalDeclID thisDeclID,
278 SourceLocation ThisDeclLoc)
279 : Reader(Reader), MergeImpl(Reader), Record(Record), Loc(Loc),
280 ThisDeclID(thisDeclID), ThisDeclLoc(ThisDeclLoc) {}
281
282 template <typename DeclT>
284 static Decl *getMostRecentDeclImpl(...);
285 static Decl *getMostRecentDecl(Decl *D);
286
287 template <typename DeclT>
289 Decl *Previous, Decl *Canon);
290 static void attachPreviousDeclImpl(ASTReader &Reader, ...);
291 static void attachPreviousDecl(ASTReader &Reader, Decl *D, Decl *Previous,
292 Decl *Canon);
293
295 Decl *Previous);
296
297 template <typename DeclT>
298 static void attachLatestDeclImpl(Redeclarable<DeclT> *D, Decl *Latest);
299 static void attachLatestDeclImpl(...);
300 static void attachLatestDecl(Decl *D, Decl *latest);
301
302 template <typename DeclT>
304 static void markIncompleteDeclChainImpl(...);
305
307 llvm::BitstreamCursor &DeclsCursor, bool IsPartial);
308
310 void Visit(Decl *D);
311
312 void UpdateDecl(Decl *D);
313
315 ObjCCategoryDecl *Next) {
316 Cat->NextClassCategory = Next;
317 }
318
319 void VisitDecl(Decl *D);
323 void VisitNamedDecl(NamedDecl *ND);
324 void VisitLabelDecl(LabelDecl *LD);
329 void VisitTypeDecl(TypeDecl *TD);
330 RedeclarableResult VisitTypedefNameDecl(TypedefNameDecl *TD);
335 RedeclarableResult VisitTagDecl(TagDecl *TD);
336 void VisitEnumDecl(EnumDecl *ED);
337 RedeclarableResult VisitRecordDeclImpl(RecordDecl *RD);
338 void VisitRecordDecl(RecordDecl *RD);
339 RedeclarableResult VisitCXXRecordDeclImpl(CXXRecordDecl *D);
341 RedeclarableResult
343
344 void
347 }
348
351 RedeclarableResult
353
356 }
357
361 void VisitValueDecl(ValueDecl *VD);
371 void VisitFieldDecl(FieldDecl *FD);
377 RedeclarableResult VisitVarDeclImpl(VarDecl *D);
378 void ReadVarDeclInit(VarDecl *VD);
387 void
411 void VisitBlockDecl(BlockDecl *BD);
415
416 std::pair<uint64_t, uint64_t> VisitDeclContext(DeclContext *DC);
417
418 template <typename T>
419 RedeclarableResult VisitRedeclarable(Redeclarable<T> *D);
420
421 template <typename T>
422 void mergeRedeclarable(Redeclarable<T> *D, RedeclarableResult &Redecl);
423
425 RedeclarableResult &Redecl);
426
427 template <typename T> void mergeMergeable(Mergeable<T> *D);
428
430
432
433 // FIXME: Reorder according to DeclNodes.td?
454};
455} // namespace clang
456
457namespace {
458
459/// Iterator over the redeclarations of a declaration that have already
460/// been merged into the same redeclaration chain.
461template <typename DeclT> class MergedRedeclIterator {
462 DeclT *Start = nullptr;
463 DeclT *Canonical = nullptr;
464 DeclT *Current = nullptr;
465
466public:
467 MergedRedeclIterator() = default;
468 MergedRedeclIterator(DeclT *Start) : Start(Start), Current(Start) {}
469
470 DeclT *operator*() { return Current; }
471
472 MergedRedeclIterator &operator++() {
473 if (Current->isFirstDecl()) {
474 Canonical = Current;
475 Current = Current->getMostRecentDecl();
476 } else
477 Current = Current->getPreviousDecl();
478
479 // If we started in the merged portion, we'll reach our start position
480 // eventually. Otherwise, we'll never reach it, but the second declaration
481 // we reached was the canonical declaration, so stop when we see that one
482 // again.
483 if (Current == Start || Current == Canonical)
484 Current = nullptr;
485 return *this;
486 }
487
488 friend bool operator!=(const MergedRedeclIterator &A,
489 const MergedRedeclIterator &B) {
490 return A.Current != B.Current;
491 }
492};
493
494} // namespace
495
496template <typename DeclT>
497static llvm::iterator_range<MergedRedeclIterator<DeclT>>
499 return llvm::make_range(MergedRedeclIterator<DeclT>(D),
500 MergedRedeclIterator<DeclT>());
501}
502
503uint64_t ASTDeclReader::GetCurrentCursorOffset() {
504 return Loc.F->DeclsCursor.GetCurrentBitNo() + Loc.F->GlobalBitOffset;
505}
506
508 if (Record.readInt()) {
509 Reader.DefinitionSource[FD] =
510 Loc.F->Kind == ModuleKind::MK_MainFile ||
511 Reader.getContext().getLangOpts().BuildingPCHWithObjectFile;
512 }
513 if (auto *CD = dyn_cast<CXXConstructorDecl>(FD)) {
514 CD->setNumCtorInitializers(Record.readInt());
515 if (CD->getNumCtorInitializers())
516 CD->CtorInitializers = ReadGlobalOffset();
517 }
518 // Store the offset of the body so we can lazily load it later.
519 Reader.PendingBodies[FD] = GetCurrentCursorOffset();
520}
521
524
525 // At this point we have deserialized and merged the decl and it is safe to
526 // update its canonical decl to signal that the entire entity is used.
527 D->getCanonicalDecl()->Used |= IsDeclMarkedUsed;
528 IsDeclMarkedUsed = false;
529
530 if (auto *DD = dyn_cast<DeclaratorDecl>(D)) {
531 if (auto *TInfo = DD->getTypeSourceInfo())
532 Record.readTypeLoc(TInfo->getTypeLoc());
533 }
534
535 if (auto *TD = dyn_cast<TypeDecl>(D)) {
536 // We have a fully initialized TypeDecl. Read its type now.
537 TD->setTypeForDecl(Reader.GetType(DeferredTypeID).getTypePtrOrNull());
538
539 // If this is a tag declaration with a typedef name for linkage, it's safe
540 // to load that typedef now.
541 if (NamedDeclForTagDecl.isValid())
542 cast<TagDecl>(D)->TypedefNameDeclOrQualifier =
543 cast<TypedefNameDecl>(Reader.GetDecl(NamedDeclForTagDecl));
544 } else if (auto *ID = dyn_cast<ObjCInterfaceDecl>(D)) {
545 // if we have a fully initialized TypeDecl, we can safely read its type now.
546 ID->TypeForDecl = Reader.GetType(DeferredTypeID).getTypePtrOrNull();
547 } else if (auto *FD = dyn_cast<FunctionDecl>(D)) {
548 // FunctionDecl's body was written last after all other Stmts/Exprs.
549 if (Record.readInt())
551 } else if (auto *VD = dyn_cast<VarDecl>(D)) {
552 ReadVarDeclInit(VD);
553 } else if (auto *FD = dyn_cast<FieldDecl>(D)) {
554 if (FD->hasInClassInitializer() && Record.readInt()) {
555 FD->setLazyInClassInitializer(LazyDeclStmtPtr(GetCurrentCursorOffset()));
556 }
557 }
558}
559
561 BitsUnpacker DeclBits(Record.readInt());
562 auto ModuleOwnership =
563 (Decl::ModuleOwnershipKind)DeclBits.getNextBits(/*Width=*/3);
564 D->setReferenced(DeclBits.getNextBit());
565 D->Used = DeclBits.getNextBit();
566 IsDeclMarkedUsed |= D->Used;
567 D->setAccess((AccessSpecifier)DeclBits.getNextBits(/*Width=*/2));
568 D->setImplicit(DeclBits.getNextBit());
569 bool HasStandaloneLexicalDC = DeclBits.getNextBit();
570 bool HasAttrs = DeclBits.getNextBit();
572 D->InvalidDecl = DeclBits.getNextBit();
573 D->FromASTFile = true;
574
576 isa<ParmVarDecl, ObjCTypeParamDecl>(D)) {
577 // We don't want to deserialize the DeclContext of a template
578 // parameter or of a parameter of a function template immediately. These
579 // entities might be used in the formulation of its DeclContext (for
580 // example, a function parameter can be used in decltype() in trailing
581 // return type of the function). Use the translation unit DeclContext as a
582 // placeholder.
583 GlobalDeclID SemaDCIDForTemplateParmDecl = readDeclID();
584 GlobalDeclID LexicalDCIDForTemplateParmDecl =
585 HasStandaloneLexicalDC ? readDeclID() : GlobalDeclID();
586 if (LexicalDCIDForTemplateParmDecl.isInvalid())
587 LexicalDCIDForTemplateParmDecl = SemaDCIDForTemplateParmDecl;
588 Reader.addPendingDeclContextInfo(D,
589 SemaDCIDForTemplateParmDecl,
590 LexicalDCIDForTemplateParmDecl);
592 } else {
593 auto *SemaDC = readDeclAs<DeclContext>();
594 auto *LexicalDC =
595 HasStandaloneLexicalDC ? readDeclAs<DeclContext>() : nullptr;
596 if (!LexicalDC)
597 LexicalDC = SemaDC;
598 // If the context is a class, we might not have actually merged it yet, in
599 // the case where the definition comes from an update record.
600 DeclContext *MergedSemaDC;
601 if (auto *RD = dyn_cast<CXXRecordDecl>(SemaDC))
602 MergedSemaDC = getOrFakePrimaryClassDefinition(Reader, RD);
603 else
604 MergedSemaDC = Reader.MergedDeclContexts.lookup(SemaDC);
605 // Avoid calling setLexicalDeclContext() directly because it uses
606 // Decl::getASTContext() internally which is unsafe during derialization.
607 D->setDeclContextsImpl(MergedSemaDC ? MergedSemaDC : SemaDC, LexicalDC,
608 Reader.getContext());
609 }
610 D->setLocation(ThisDeclLoc);
611
612 if (HasAttrs) {
613 AttrVec Attrs;
614 Record.readAttributes(Attrs);
615 // Avoid calling setAttrs() directly because it uses Decl::getASTContext()
616 // internally which is unsafe during derialization.
617 D->setAttrsImpl(Attrs, Reader.getContext());
618 }
619
620 // Determine whether this declaration is part of a (sub)module. If so, it
621 // may not yet be visible.
622 bool ModulePrivate =
623 (ModuleOwnership == Decl::ModuleOwnershipKind::ModulePrivate);
624 if (unsigned SubmoduleID = readSubmoduleID()) {
625 switch (ModuleOwnership) {
628 break;
633 break;
634 }
635
636 D->setModuleOwnershipKind(ModuleOwnership);
637 // Store the owning submodule ID in the declaration.
639
640 if (ModulePrivate) {
641 // Module-private declarations are never visible, so there is no work to
642 // do.
643 } else if (Reader.getContext().getLangOpts().ModulesLocalVisibility) {
644 // If local visibility is being tracked, this declaration will become
645 // hidden and visible as the owning module does.
646 } else if (Module *Owner = Reader.getSubmodule(SubmoduleID)) {
647 // Mark the declaration as visible when its owning module becomes visible.
648 if (Owner->NameVisibility == Module::AllVisible)
650 else
651 Reader.HiddenNamesMap[Owner].push_back(D);
652 }
653 } else if (ModulePrivate) {
655 }
656}
657
659 VisitDecl(D);
660 D->setLocation(readSourceLocation());
661 D->CommentKind = (PragmaMSCommentKind)Record.readInt();
662 std::string Arg = readString();
663 memcpy(D->getTrailingObjects<char>(), Arg.data(), Arg.size());
664 D->getTrailingObjects<char>()[Arg.size()] = '\0';
665}
666
668 VisitDecl(D);
669 D->setLocation(readSourceLocation());
670 std::string Name = readString();
671 memcpy(D->getTrailingObjects<char>(), Name.data(), Name.size());
672 D->getTrailingObjects<char>()[Name.size()] = '\0';
673
674 D->ValueStart = Name.size() + 1;
675 std::string Value = readString();
676 memcpy(D->getTrailingObjects<char>() + D->ValueStart, Value.data(),
677 Value.size());
678 D->getTrailingObjects<char>()[D->ValueStart + Value.size()] = '\0';
679}
680
682 llvm_unreachable("Translation units are not serialized");
683}
684
686 VisitDecl(ND);
687 ND->setDeclName(Record.readDeclarationName());
688 AnonymousDeclNumber = Record.readInt();
689}
690
692 VisitNamedDecl(TD);
693 TD->setLocStart(readSourceLocation());
694 // Delay type reading until after we have fully initialized the decl.
695 DeferredTypeID = Record.getGlobalTypeID(Record.readInt());
696}
697
699 RedeclarableResult Redecl = VisitRedeclarable(TD);
700 VisitTypeDecl(TD);
701 TypeSourceInfo *TInfo = readTypeSourceInfo();
702 if (Record.readInt()) { // isModed
703 QualType modedT = Record.readType();
704 TD->setModedTypeSourceInfo(TInfo, modedT);
705 } else
706 TD->setTypeSourceInfo(TInfo);
707 // Read and discard the declaration for which this is a typedef name for
708 // linkage, if it exists. We cannot rely on our type to pull in this decl,
709 // because it might have been merged with a type from another module and
710 // thus might not refer to our version of the declaration.
711 readDecl();
712 return Redecl;
713}
714
716 RedeclarableResult Redecl = VisitTypedefNameDecl(TD);
717 mergeRedeclarable(TD, Redecl);
718}
719
721 RedeclarableResult Redecl = VisitTypedefNameDecl(TD);
722 if (auto *Template = readDeclAs<TypeAliasTemplateDecl>())
723 // Merged when we merge the template.
724 TD->setDescribedAliasTemplate(Template);
725 else
726 mergeRedeclarable(TD, Redecl);
727}
728
729RedeclarableResult ASTDeclReader::VisitTagDecl(TagDecl *TD) {
730 RedeclarableResult Redecl = VisitRedeclarable(TD);
731 VisitTypeDecl(TD);
732
733 TD->IdentifierNamespace = Record.readInt();
734
735 BitsUnpacker TagDeclBits(Record.readInt());
736 TD->setTagKind(
737 static_cast<TagTypeKind>(TagDeclBits.getNextBits(/*Width=*/3)));
738 TD->setCompleteDefinition(TagDeclBits.getNextBit());
739 TD->setEmbeddedInDeclarator(TagDeclBits.getNextBit());
740 TD->setFreeStanding(TagDeclBits.getNextBit());
741 TD->setCompleteDefinitionRequired(TagDeclBits.getNextBit());
742 TD->setBraceRange(readSourceRange());
743
744 switch (TagDeclBits.getNextBits(/*Width=*/2)) {
745 case 0:
746 break;
747 case 1: { // ExtInfo
748 auto *Info = new (Reader.getContext()) TagDecl::ExtInfo();
749 Record.readQualifierInfo(*Info);
750 TD->TypedefNameDeclOrQualifier = Info;
751 break;
752 }
753 case 2: // TypedefNameForAnonDecl
754 NamedDeclForTagDecl = readDeclID();
755 TypedefNameForLinkage = Record.readIdentifier();
756 break;
757 default:
758 llvm_unreachable("unexpected tag info kind");
759 }
760
761 if (!isa<CXXRecordDecl>(TD))
762 mergeRedeclarable(TD, Redecl);
763 return Redecl;
764}
765
767 VisitTagDecl(ED);
768 if (TypeSourceInfo *TI = readTypeSourceInfo())
770 else
771 ED->setIntegerType(Record.readType());
772 ED->setPromotionType(Record.readType());
773
774 BitsUnpacker EnumDeclBits(Record.readInt());
775 ED->setNumPositiveBits(EnumDeclBits.getNextBits(/*Width=*/8));
776 ED->setNumNegativeBits(EnumDeclBits.getNextBits(/*Width=*/8));
777 ED->setScoped(EnumDeclBits.getNextBit());
778 ED->setScopedUsingClassTag(EnumDeclBits.getNextBit());
779 ED->setFixed(EnumDeclBits.getNextBit());
780
781 ED->setHasODRHash(true);
782 ED->ODRHash = Record.readInt();
783
784 // If this is a definition subject to the ODR, and we already have a
785 // definition, merge this one into it.
786 if (ED->isCompleteDefinition() && Reader.getContext().getLangOpts().Modules) {
787 EnumDecl *&OldDef = Reader.EnumDefinitions[ED->getCanonicalDecl()];
788 if (!OldDef) {
789 // This is the first time we've seen an imported definition. Look for a
790 // local definition before deciding that we are the first definition.
791 for (auto *D : merged_redecls(ED->getCanonicalDecl())) {
792 if (!D->isFromASTFile() && D->isCompleteDefinition()) {
793 OldDef = D;
794 break;
795 }
796 }
797 }
798 if (OldDef) {
799 Reader.MergedDeclContexts.insert(std::make_pair(ED, OldDef));
801 Reader.mergeDefinitionVisibility(OldDef, ED);
802 // We don't want to check the ODR hash value for declarations from global
803 // module fragment.
804 if (!shouldSkipCheckingODR(ED) && !shouldSkipCheckingODR(OldDef) &&
805 OldDef->getODRHash() != ED->getODRHash())
806 Reader.PendingEnumOdrMergeFailures[OldDef].push_back(ED);
807 } else {
808 OldDef = ED;
809 }
810 }
811
812 if (auto *InstED = readDeclAs<EnumDecl>()) {
813 auto TSK = (TemplateSpecializationKind)Record.readInt();
814 SourceLocation POI = readSourceLocation();
815 ED->setInstantiationOfMemberEnum(Reader.getContext(), InstED, TSK);
817 }
818}
819
821 RedeclarableResult Redecl = VisitTagDecl(RD);
822
823 BitsUnpacker RecordDeclBits(Record.readInt());
824 RD->setHasFlexibleArrayMember(RecordDeclBits.getNextBit());
825 RD->setAnonymousStructOrUnion(RecordDeclBits.getNextBit());
826 RD->setHasObjectMember(RecordDeclBits.getNextBit());
827 RD->setHasVolatileMember(RecordDeclBits.getNextBit());
829 RD->setNonTrivialToPrimitiveCopy(RecordDeclBits.getNextBit());
830 RD->setNonTrivialToPrimitiveDestroy(RecordDeclBits.getNextBit());
832 RecordDeclBits.getNextBit());
836 RD->setParamDestroyedInCallee(RecordDeclBits.getNextBit());
838 (RecordArgPassingKind)RecordDeclBits.getNextBits(/*Width=*/2));
839 return Redecl;
840}
841
844 RD->setODRHash(Record.readInt());
845
846 // Maintain the invariant of a redeclaration chain containing only
847 // a single definition.
848 if (RD->isCompleteDefinition()) {
849 RecordDecl *Canon = static_cast<RecordDecl *>(RD->getCanonicalDecl());
850 RecordDecl *&OldDef = Reader.RecordDefinitions[Canon];
851 if (!OldDef) {
852 // This is the first time we've seen an imported definition. Look for a
853 // local definition before deciding that we are the first definition.
854 for (auto *D : merged_redecls(Canon)) {
855 if (!D->isFromASTFile() && D->isCompleteDefinition()) {
856 OldDef = D;
857 break;
858 }
859 }
860 }
861 if (OldDef) {
862 Reader.MergedDeclContexts.insert(std::make_pair(RD, OldDef));
864 Reader.mergeDefinitionVisibility(OldDef, RD);
865 if (OldDef->getODRHash() != RD->getODRHash())
866 Reader.PendingRecordOdrMergeFailures[OldDef].push_back(RD);
867 } else {
868 OldDef = RD;
869 }
870 }
871}
872
874 VisitNamedDecl(VD);
875 // For function or variable declarations, defer reading the type in case the
876 // declaration has a deduced type that references an entity declared within
877 // the function definition or variable initializer.
878 if (isa<FunctionDecl, VarDecl>(VD))
879 DeferredTypeID = Record.getGlobalTypeID(Record.readInt());
880 else
881 VD->setType(Record.readType());
882}
883
885 VisitValueDecl(ECD);
886 if (Record.readInt())
887 ECD->setInitExpr(Record.readExpr());
888 ECD->setInitVal(Reader.getContext(), Record.readAPSInt());
889 mergeMergeable(ECD);
890}
891
893 VisitValueDecl(DD);
894 DD->setInnerLocStart(readSourceLocation());
895 if (Record.readInt()) { // hasExtInfo
896 auto *Info = new (Reader.getContext()) DeclaratorDecl::ExtInfo();
897 Record.readQualifierInfo(*Info);
898 Info->TrailingRequiresClause = Record.readExpr();
899 DD->DeclInfo = Info;
900 }
901 QualType TSIType = Record.readType();
903 TSIType.isNull() ? nullptr
904 : Reader.getContext().CreateTypeSourceInfo(TSIType));
905}
906
908 RedeclarableResult Redecl = VisitRedeclarable(FD);
909
910 FunctionDecl *Existing = nullptr;
911
912 switch ((FunctionDecl::TemplatedKind)Record.readInt()) {
914 break;
916 FD->setInstantiatedFromDecl(readDeclAs<FunctionDecl>());
917 break;
919 auto *Template = readDeclAs<FunctionTemplateDecl>();
920 Template->init(FD);
921 FD->setDescribedFunctionTemplate(Template);
922 break;
923 }
925 auto *InstFD = readDeclAs<FunctionDecl>();
926 auto TSK = (TemplateSpecializationKind)Record.readInt();
927 SourceLocation POI = readSourceLocation();
928 FD->setInstantiationOfMemberFunction(Reader.getContext(), InstFD, TSK);
930 break;
931 }
933 auto *Template = readDeclAs<FunctionTemplateDecl>();
934 auto TSK = (TemplateSpecializationKind)Record.readInt();
935
936 // Template arguments.
938 Record.readTemplateArgumentList(TemplArgs, /*Canonicalize*/ true);
939
940 // Template args as written.
941 TemplateArgumentListInfo TemplArgsWritten;
942 bool HasTemplateArgumentsAsWritten = Record.readBool();
943 if (HasTemplateArgumentsAsWritten)
944 Record.readTemplateArgumentListInfo(TemplArgsWritten);
945
946 SourceLocation POI = readSourceLocation();
947
948 ASTContext &C = Reader.getContext();
949 TemplateArgumentList *TemplArgList =
951
952 MemberSpecializationInfo *MSInfo = nullptr;
953 if (Record.readInt()) {
954 auto *FD = readDeclAs<FunctionDecl>();
955 auto TSK = (TemplateSpecializationKind)Record.readInt();
956 SourceLocation POI = readSourceLocation();
957
958 MSInfo = new (C) MemberSpecializationInfo(FD, TSK);
959 MSInfo->setPointOfInstantiation(POI);
960 }
961
964 C, FD, Template, TSK, TemplArgList,
965 HasTemplateArgumentsAsWritten ? &TemplArgsWritten : nullptr, POI,
966 MSInfo);
967 FD->TemplateOrSpecialization = FTInfo;
968
969 if (FD->isCanonicalDecl()) { // if canonical add to template's set.
970 // The template that contains the specializations set. It's not safe to
971 // use getCanonicalDecl on Template since it may still be initializing.
972 auto *CanonTemplate = readDeclAs<FunctionTemplateDecl>();
973 // Get the InsertPos by FindNodeOrInsertPos() instead of calling
974 // InsertNode(FTInfo) directly to avoid the getASTContext() call in
975 // FunctionTemplateSpecializationInfo's Profile().
976 // We avoid getASTContext because a decl in the parent hierarchy may
977 // be initializing.
978 llvm::FoldingSetNodeID ID;
980 void *InsertPos = nullptr;
981 FunctionTemplateDecl::Common *CommonPtr = CanonTemplate->getCommonPtr();
983 CommonPtr->Specializations.FindNodeOrInsertPos(ID, InsertPos);
984 if (InsertPos)
985 CommonPtr->Specializations.InsertNode(FTInfo, InsertPos);
986 else {
987 assert(Reader.getContext().getLangOpts().Modules &&
988 "already deserialized this template specialization");
989 Existing = ExistingInfo->getFunction();
990 }
991 }
992 break;
993 }
995 // Templates.
996 UnresolvedSet<8> Candidates;
997 unsigned NumCandidates = Record.readInt();
998 while (NumCandidates--)
999 Candidates.addDecl(readDeclAs<NamedDecl>());
1000
1001 // Templates args.
1002 TemplateArgumentListInfo TemplArgsWritten;
1003 bool HasTemplateArgumentsAsWritten = Record.readBool();
1004 if (HasTemplateArgumentsAsWritten)
1005 Record.readTemplateArgumentListInfo(TemplArgsWritten);
1006
1008 Reader.getContext(), Candidates,
1009 HasTemplateArgumentsAsWritten ? &TemplArgsWritten : nullptr);
1010 // These are not merged; we don't need to merge redeclarations of dependent
1011 // template friends.
1012 break;
1013 }
1014 }
1015
1017
1018 // Attach a type to this function. Use the real type if possible, but fall
1019 // back to the type as written if it involves a deduced return type.
1020 if (FD->getTypeSourceInfo() && FD->getTypeSourceInfo()
1021 ->getType()
1022 ->castAs<FunctionType>()
1023 ->getReturnType()
1025 // We'll set up the real type in Visit, once we've finished loading the
1026 // function.
1027 FD->setType(FD->getTypeSourceInfo()->getType());
1028 Reader.PendingDeducedFunctionTypes.push_back({FD, DeferredTypeID});
1029 } else {
1030 FD->setType(Reader.GetType(DeferredTypeID));
1031 }
1032 DeferredTypeID = 0;
1033
1034 FD->DNLoc = Record.readDeclarationNameLoc(FD->getDeclName());
1035 FD->IdentifierNamespace = Record.readInt();
1036
1037 // FunctionDecl's body is handled last at ASTDeclReader::Visit,
1038 // after everything else is read.
1039 BitsUnpacker FunctionDeclBits(Record.readInt());
1040
1041 FD->setCachedLinkage((Linkage)FunctionDeclBits.getNextBits(/*Width=*/3));
1042 FD->setStorageClass((StorageClass)FunctionDeclBits.getNextBits(/*Width=*/3));
1043 FD->setInlineSpecified(FunctionDeclBits.getNextBit());
1044 FD->setImplicitlyInline(FunctionDeclBits.getNextBit());
1045 FD->setHasSkippedBody(FunctionDeclBits.getNextBit());
1046 FD->setVirtualAsWritten(FunctionDeclBits.getNextBit());
1047 // We defer calling `FunctionDecl::setPure()` here as for methods of
1048 // `CXXTemplateSpecializationDecl`s, we may not have connected up the
1049 // definition (which is required for `setPure`).
1050 const bool Pure = FunctionDeclBits.getNextBit();
1051 FD->setHasInheritedPrototype(FunctionDeclBits.getNextBit());
1052 FD->setHasWrittenPrototype(FunctionDeclBits.getNextBit());
1053 FD->setDeletedAsWritten(FunctionDeclBits.getNextBit());
1054 FD->setTrivial(FunctionDeclBits.getNextBit());
1055 FD->setTrivialForCall(FunctionDeclBits.getNextBit());
1056 FD->setDefaulted(FunctionDeclBits.getNextBit());
1057 FD->setExplicitlyDefaulted(FunctionDeclBits.getNextBit());
1058 FD->setIneligibleOrNotSelected(FunctionDeclBits.getNextBit());
1059 FD->setConstexprKind(
1060 (ConstexprSpecKind)FunctionDeclBits.getNextBits(/*Width=*/2));
1061 FD->setHasImplicitReturnZero(FunctionDeclBits.getNextBit());
1062 FD->setIsMultiVersion(FunctionDeclBits.getNextBit());
1063 FD->setLateTemplateParsed(FunctionDeclBits.getNextBit());
1065 FunctionDeclBits.getNextBit());
1066 FD->setUsesSEHTry(FunctionDeclBits.getNextBit());
1067
1068 FD->EndRangeLoc = readSourceLocation();
1069 if (FD->isExplicitlyDefaulted())
1070 FD->setDefaultLoc(readSourceLocation());
1071
1072 FD->ODRHash = Record.readInt();
1073 FD->setHasODRHash(true);
1074
1075 if (FD->isDefaulted() || FD->isDeletedAsWritten()) {
1076 // If 'Info' is nonzero, we need to read an DefaultedOrDeletedInfo; if,
1077 // additionally, the second bit is also set, we also need to read
1078 // a DeletedMessage for the DefaultedOrDeletedInfo.
1079 if (auto Info = Record.readInt()) {
1080 bool HasMessage = Info & 2;
1081 StringLiteral *DeletedMessage =
1082 HasMessage ? cast<StringLiteral>(Record.readExpr()) : nullptr;
1083
1084 unsigned NumLookups = Record.readInt();
1086 for (unsigned I = 0; I != NumLookups; ++I) {
1087 NamedDecl *ND = Record.readDeclAs<NamedDecl>();
1088 AccessSpecifier AS = (AccessSpecifier)Record.readInt();
1089 Lookups.push_back(DeclAccessPair::make(ND, AS));
1090 }
1091
1094 Reader.getContext(), Lookups, DeletedMessage));
1095 }
1096 }
1097
1098 if (Existing)
1099 MergeImpl.mergeRedeclarable(FD, Existing, Redecl);
1100 else if (auto Kind = FD->getTemplatedKind();
1103 // Function Templates have their FunctionTemplateDecls merged instead of
1104 // their FunctionDecls.
1105 auto merge = [this, &Redecl, FD](auto &&F) {
1106 auto *Existing = cast_or_null<FunctionDecl>(Redecl.getKnownMergeTarget());
1107 RedeclarableResult NewRedecl(Existing ? F(Existing) : nullptr,
1108 Redecl.getFirstID(), Redecl.isKeyDecl());
1109 mergeRedeclarableTemplate(F(FD), NewRedecl);
1110 };
1112 merge(
1113 [](FunctionDecl *FD) { return FD->getDescribedFunctionTemplate(); });
1114 else
1115 merge([](FunctionDecl *FD) {
1116 return FD->getTemplateSpecializationInfo()->getTemplate();
1117 });
1118 } else
1119 mergeRedeclarable(FD, Redecl);
1120
1121 // Defer calling `setPure` until merging above has guaranteed we've set
1122 // `DefinitionData` (as this will need to access it).
1123 FD->setIsPureVirtual(Pure);
1124
1125 // Read in the parameters.
1126 unsigned NumParams = Record.readInt();
1128 Params.reserve(NumParams);
1129 for (unsigned I = 0; I != NumParams; ++I)
1130 Params.push_back(readDeclAs<ParmVarDecl>());
1131 FD->setParams(Reader.getContext(), Params);
1132
1133 // If the declaration is a SYCL kernel entry point function as indicated by
1134 // the presence of a sycl_kernel_entry_point attribute, register it so that
1135 // associated metadata is recreated.
1136 if (FD->hasAttr<SYCLKernelEntryPointAttr>()) {
1137 auto *SKEPAttr = FD->getAttr<SYCLKernelEntryPointAttr>();
1138 ASTContext &C = Reader.getContext();
1139 const SYCLKernelInfo *SKI = C.findSYCLKernelInfo(SKEPAttr->getKernelName());
1140 if (SKI) {
1142 Reader.Diag(FD->getLocation(), diag::err_sycl_kernel_name_conflict);
1143 Reader.Diag(SKI->getKernelEntryPointDecl()->getLocation(),
1144 diag::note_previous_declaration);
1145 SKEPAttr->setInvalidAttr();
1146 }
1147 } else {
1148 C.registerSYCLEntryPointFunction(FD);
1149 }
1150 }
1151}
1152
1154 VisitNamedDecl(MD);
1155 if (Record.readInt()) {
1156 // Load the body on-demand. Most clients won't care, because method
1157 // definitions rarely show up in headers.
1158 Reader.PendingBodies[MD] = GetCurrentCursorOffset();
1159 }
1160 MD->setSelfDecl(readDeclAs<ImplicitParamDecl>());
1161 MD->setCmdDecl(readDeclAs<ImplicitParamDecl>());
1162 MD->setInstanceMethod(Record.readInt());
1163 MD->setVariadic(Record.readInt());
1164 MD->setPropertyAccessor(Record.readInt());
1165 MD->setSynthesizedAccessorStub(Record.readInt());
1166 MD->setDefined(Record.readInt());
1167 MD->setOverriding(Record.readInt());
1168 MD->setHasSkippedBody(Record.readInt());
1169
1170 MD->setIsRedeclaration(Record.readInt());
1171 MD->setHasRedeclaration(Record.readInt());
1172 if (MD->hasRedeclaration())
1174 readDeclAs<ObjCMethodDecl>());
1175
1177 static_cast<ObjCImplementationControl>(Record.readInt()));
1179 MD->setRelatedResultType(Record.readInt());
1180 MD->setReturnType(Record.readType());
1181 MD->setReturnTypeSourceInfo(readTypeSourceInfo());
1182 MD->DeclEndLoc = readSourceLocation();
1183 unsigned NumParams = Record.readInt();
1185 Params.reserve(NumParams);
1186 for (unsigned I = 0; I != NumParams; ++I)
1187 Params.push_back(readDeclAs<ParmVarDecl>());
1188
1189 MD->setSelLocsKind((SelectorLocationsKind)Record.readInt());
1190 unsigned NumStoredSelLocs = Record.readInt();
1192 SelLocs.reserve(NumStoredSelLocs);
1193 for (unsigned i = 0; i != NumStoredSelLocs; ++i)
1194 SelLocs.push_back(readSourceLocation());
1195
1196 MD->setParamsAndSelLocs(Reader.getContext(), Params, SelLocs);
1197}
1198
1201
1202 D->Variance = Record.readInt();
1203 D->Index = Record.readInt();
1204 D->VarianceLoc = readSourceLocation();
1205 D->ColonLoc = readSourceLocation();
1206}
1207
1209 VisitNamedDecl(CD);
1210 CD->setAtStartLoc(readSourceLocation());
1211 CD->setAtEndRange(readSourceRange());
1212}
1213
1215 unsigned numParams = Record.readInt();
1216 if (numParams == 0)
1217 return nullptr;
1218
1220 typeParams.reserve(numParams);
1221 for (unsigned i = 0; i != numParams; ++i) {
1222 auto *typeParam = readDeclAs<ObjCTypeParamDecl>();
1223 if (!typeParam)
1224 return nullptr;
1225
1226 typeParams.push_back(typeParam);
1227 }
1228
1229 SourceLocation lAngleLoc = readSourceLocation();
1230 SourceLocation rAngleLoc = readSourceLocation();
1231
1232 return ObjCTypeParamList::create(Reader.getContext(), lAngleLoc,
1233 typeParams, rAngleLoc);
1234}
1235
1236void ASTDeclReader::ReadObjCDefinitionData(
1237 struct ObjCInterfaceDecl::DefinitionData &Data) {
1238 // Read the superclass.
1239 Data.SuperClassTInfo = readTypeSourceInfo();
1240
1241 Data.EndLoc = readSourceLocation();
1242 Data.HasDesignatedInitializers = Record.readInt();
1243 Data.ODRHash = Record.readInt();
1244 Data.HasODRHash = true;
1245
1246 // Read the directly referenced protocols and their SourceLocations.
1247 unsigned NumProtocols = Record.readInt();
1249 Protocols.reserve(NumProtocols);
1250 for (unsigned I = 0; I != NumProtocols; ++I)
1251 Protocols.push_back(readDeclAs<ObjCProtocolDecl>());
1253 ProtoLocs.reserve(NumProtocols);
1254 for (unsigned I = 0; I != NumProtocols; ++I)
1255 ProtoLocs.push_back(readSourceLocation());
1256 Data.ReferencedProtocols.set(Protocols.data(), NumProtocols, ProtoLocs.data(),
1257 Reader.getContext());
1258
1259 // Read the transitive closure of protocols referenced by this class.
1260 NumProtocols = Record.readInt();
1261 Protocols.clear();
1262 Protocols.reserve(NumProtocols);
1263 for (unsigned I = 0; I != NumProtocols; ++I)
1264 Protocols.push_back(readDeclAs<ObjCProtocolDecl>());
1265 Data.AllReferencedProtocols.set(Protocols.data(), NumProtocols,
1266 Reader.getContext());
1267}
1268
1270 ObjCInterfaceDecl *D, struct ObjCInterfaceDecl::DefinitionData &&NewDD) {
1271 struct ObjCInterfaceDecl::DefinitionData &DD = D->data();
1272 if (DD.Definition == NewDD.Definition)
1273 return;
1274
1275 Reader.MergedDeclContexts.insert(
1276 std::make_pair(NewDD.Definition, DD.Definition));
1277 Reader.mergeDefinitionVisibility(DD.Definition, NewDD.Definition);
1278
1279 if (D->getODRHash() != NewDD.ODRHash)
1280 Reader.PendingObjCInterfaceOdrMergeFailures[DD.Definition].push_back(
1281 {NewDD.Definition, &NewDD});
1282}
1283
1285 RedeclarableResult Redecl = VisitRedeclarable(ID);
1287 DeferredTypeID = Record.getGlobalTypeID(Record.readInt());
1288 mergeRedeclarable(ID, Redecl);
1289
1290 ID->TypeParamList = ReadObjCTypeParamList();
1291 if (Record.readInt()) {
1292 // Read the definition.
1293 ID->allocateDefinitionData();
1294
1295 ReadObjCDefinitionData(ID->data());
1296 ObjCInterfaceDecl *Canon = ID->getCanonicalDecl();
1297 if (Canon->Data.getPointer()) {
1298 // If we already have a definition, keep the definition invariant and
1299 // merge the data.
1300 MergeImpl.MergeDefinitionData(Canon, std::move(ID->data()));
1301 ID->Data = Canon->Data;
1302 } else {
1303 // Set the definition data of the canonical declaration, so other
1304 // redeclarations will see it.
1305 ID->getCanonicalDecl()->Data = ID->Data;
1306
1307 // We will rebuild this list lazily.
1308 ID->setIvarList(nullptr);
1309 }
1310
1311 // Note that we have deserialized a definition.
1312 Reader.PendingDefinitions.insert(ID);
1313
1314 // Note that we've loaded this Objective-C class.
1315 Reader.ObjCClassesLoaded.push_back(ID);
1316 } else {
1317 ID->Data = ID->getCanonicalDecl()->Data;
1318 }
1319}
1320
1322 VisitFieldDecl(IVD);
1324 // This field will be built lazily.
1325 IVD->setNextIvar(nullptr);
1326 bool synth = Record.readInt();
1327 IVD->setSynthesize(synth);
1328
1329 // Check ivar redeclaration.
1330 if (IVD->isInvalidDecl())
1331 return;
1332 // Don't check ObjCInterfaceDecl as interfaces are named and mismatches can be
1333 // detected in VisitObjCInterfaceDecl. Here we are looking for redeclarations
1334 // in extensions.
1335 if (isa<ObjCInterfaceDecl>(IVD->getDeclContext()))
1336 return;
1337 ObjCInterfaceDecl *CanonIntf =
1339 IdentifierInfo *II = IVD->getIdentifier();
1340 ObjCIvarDecl *PrevIvar = CanonIntf->lookupInstanceVariable(II);
1341 if (PrevIvar && PrevIvar != IVD) {
1342 auto *ParentExt = dyn_cast<ObjCCategoryDecl>(IVD->getDeclContext());
1343 auto *PrevParentExt =
1344 dyn_cast<ObjCCategoryDecl>(PrevIvar->getDeclContext());
1345 if (ParentExt && PrevParentExt) {
1346 // Postpone diagnostic as we should merge identical extensions from
1347 // different modules.
1348 Reader
1349 .PendingObjCExtensionIvarRedeclarations[std::make_pair(ParentExt,
1350 PrevParentExt)]
1351 .push_back(std::make_pair(IVD, PrevIvar));
1352 } else if (ParentExt || PrevParentExt) {
1353 // Duplicate ivars in extension + implementation are never compatible.
1354 // Compatibility of implementation + implementation should be handled in
1355 // VisitObjCImplementationDecl.
1356 Reader.Diag(IVD->getLocation(), diag::err_duplicate_ivar_declaration)
1357 << II;
1358 Reader.Diag(PrevIvar->getLocation(), diag::note_previous_definition);
1359 }
1360 }
1361}
1362
1363void ASTDeclReader::ReadObjCDefinitionData(
1364 struct ObjCProtocolDecl::DefinitionData &Data) {
1365 unsigned NumProtoRefs = Record.readInt();
1367 ProtoRefs.reserve(NumProtoRefs);
1368 for (unsigned I = 0; I != NumProtoRefs; ++I)
1369 ProtoRefs.push_back(readDeclAs<ObjCProtocolDecl>());
1371 ProtoLocs.reserve(NumProtoRefs);
1372 for (unsigned I = 0; I != NumProtoRefs; ++I)
1373 ProtoLocs.push_back(readSourceLocation());
1374 Data.ReferencedProtocols.set(ProtoRefs.data(), NumProtoRefs,
1375 ProtoLocs.data(), Reader.getContext());
1376 Data.ODRHash = Record.readInt();
1377 Data.HasODRHash = true;
1378}
1379
1381 ObjCProtocolDecl *D, struct ObjCProtocolDecl::DefinitionData &&NewDD) {
1382 struct ObjCProtocolDecl::DefinitionData &DD = D->data();
1383 if (DD.Definition == NewDD.Definition)
1384 return;
1385
1386 Reader.MergedDeclContexts.insert(
1387 std::make_pair(NewDD.Definition, DD.Definition));
1388 Reader.mergeDefinitionVisibility(DD.Definition, NewDD.Definition);
1389
1390 if (D->getODRHash() != NewDD.ODRHash)
1391 Reader.PendingObjCProtocolOdrMergeFailures[DD.Definition].push_back(
1392 {NewDD.Definition, &NewDD});
1393}
1394
1396 RedeclarableResult Redecl = VisitRedeclarable(PD);
1398 mergeRedeclarable(PD, Redecl);
1399
1400 if (Record.readInt()) {
1401 // Read the definition.
1402 PD->allocateDefinitionData();
1403
1404 ReadObjCDefinitionData(PD->data());
1405
1406 ObjCProtocolDecl *Canon = PD->getCanonicalDecl();
1407 if (Canon->Data.getPointer()) {
1408 // If we already have a definition, keep the definition invariant and
1409 // merge the data.
1410 MergeImpl.MergeDefinitionData(Canon, std::move(PD->data()));
1411 PD->Data = Canon->Data;
1412 } else {
1413 // Set the definition data of the canonical declaration, so other
1414 // redeclarations will see it.
1415 PD->getCanonicalDecl()->Data = PD->Data;
1416 }
1417 // Note that we have deserialized a definition.
1418 Reader.PendingDefinitions.insert(PD);
1419 } else {
1420 PD->Data = PD->getCanonicalDecl()->Data;
1421 }
1422}
1423
1425 VisitFieldDecl(FD);
1426}
1427
1430 CD->setCategoryNameLoc(readSourceLocation());
1431 CD->setIvarLBraceLoc(readSourceLocation());
1432 CD->setIvarRBraceLoc(readSourceLocation());
1433
1434 // Note that this category has been deserialized. We do this before
1435 // deserializing the interface declaration, so that it will consider this
1436 /// category.
1437 Reader.CategoriesDeserialized.insert(CD);
1438
1439 CD->ClassInterface = readDeclAs<ObjCInterfaceDecl>();
1440 CD->TypeParamList = ReadObjCTypeParamList();
1441 unsigned NumProtoRefs = Record.readInt();
1443 ProtoRefs.reserve(NumProtoRefs);
1444 for (unsigned I = 0; I != NumProtoRefs; ++I)
1445 ProtoRefs.push_back(readDeclAs<ObjCProtocolDecl>());
1447 ProtoLocs.reserve(NumProtoRefs);
1448 for (unsigned I = 0; I != NumProtoRefs; ++I)
1449 ProtoLocs.push_back(readSourceLocation());
1450 CD->setProtocolList(ProtoRefs.data(), NumProtoRefs, ProtoLocs.data(),
1451 Reader.getContext());
1452
1453 // Protocols in the class extension belong to the class.
1454 if (NumProtoRefs > 0 && CD->ClassInterface && CD->IsClassExtension())
1455 CD->ClassInterface->mergeClassExtensionProtocolList(
1456 (ObjCProtocolDecl *const *)ProtoRefs.data(), NumProtoRefs,
1457 Reader.getContext());
1458}
1459
1461 VisitNamedDecl(CAD);
1462 CAD->setClassInterface(readDeclAs<ObjCInterfaceDecl>());
1463}
1464
1467 D->setAtLoc(readSourceLocation());
1468 D->setLParenLoc(readSourceLocation());
1469 QualType T = Record.readType();
1470 TypeSourceInfo *TSI = readTypeSourceInfo();
1471 D->setType(T, TSI);
1472 D->setPropertyAttributes((ObjCPropertyAttribute::Kind)Record.readInt());
1473 D->setPropertyAttributesAsWritten(
1475 D->setPropertyImplementation(
1477 DeclarationName GetterName = Record.readDeclarationName();
1478 SourceLocation GetterLoc = readSourceLocation();
1479 D->setGetterName(GetterName.getObjCSelector(), GetterLoc);
1480 DeclarationName SetterName = Record.readDeclarationName();
1481 SourceLocation SetterLoc = readSourceLocation();
1482 D->setSetterName(SetterName.getObjCSelector(), SetterLoc);
1483 D->setGetterMethodDecl(readDeclAs<ObjCMethodDecl>());
1484 D->setSetterMethodDecl(readDeclAs<ObjCMethodDecl>());
1485 D->setPropertyIvarDecl(readDeclAs<ObjCIvarDecl>());
1486}
1487
1490 D->setClassInterface(readDeclAs<ObjCInterfaceDecl>());
1491}
1492
1495 D->CategoryNameLoc = readSourceLocation();
1496}
1497
1500 D->setSuperClass(readDeclAs<ObjCInterfaceDecl>());
1501 D->SuperLoc = readSourceLocation();
1502 D->setIvarLBraceLoc(readSourceLocation());
1503 D->setIvarRBraceLoc(readSourceLocation());
1504 D->setHasNonZeroConstructors(Record.readInt());
1505 D->setHasDestructors(Record.readInt());
1506 D->NumIvarInitializers = Record.readInt();
1507 if (D->NumIvarInitializers)
1508 D->IvarInitializers = ReadGlobalOffset();
1509}
1510
1512 VisitDecl(D);
1513 D->setAtLoc(readSourceLocation());
1514 D->setPropertyDecl(readDeclAs<ObjCPropertyDecl>());
1515 D->PropertyIvarDecl = readDeclAs<ObjCIvarDecl>();
1516 D->IvarLoc = readSourceLocation();
1517 D->setGetterMethodDecl(readDeclAs<ObjCMethodDecl>());
1518 D->setSetterMethodDecl(readDeclAs<ObjCMethodDecl>());
1519 D->setGetterCXXConstructor(Record.readExpr());
1520 D->setSetterCXXAssignment(Record.readExpr());
1521}
1522
1525 FD->Mutable = Record.readInt();
1526
1527 unsigned Bits = Record.readInt();
1528 FD->StorageKind = Bits >> 1;
1529 if (FD->StorageKind == FieldDecl::ISK_CapturedVLAType)
1530 FD->CapturedVLAType =
1531 cast<VariableArrayType>(Record.readType().getTypePtr());
1532 else if (Bits & 1)
1533 FD->setBitWidth(Record.readExpr());
1534
1535 if (!FD->getDeclName() ||
1536 FD->isPlaceholderVar(Reader.getContext().getLangOpts())) {
1537 if (auto *Tmpl = readDeclAs<FieldDecl>())
1539 }
1540 mergeMergeable(FD);
1541}
1542
1545 PD->GetterId = Record.readIdentifier();
1546 PD->SetterId = Record.readIdentifier();
1547}
1548
1551 D->PartVal.Part1 = Record.readInt();
1552 D->PartVal.Part2 = Record.readInt();
1553 D->PartVal.Part3 = Record.readInt();
1554 for (auto &C : D->PartVal.Part4And5)
1555 C = Record.readInt();
1556
1557 // Add this GUID to the AST context's lookup structure, and merge if needed.
1558 if (MSGuidDecl *Existing = Reader.getContext().MSGuidDecls.GetOrInsertNode(D))
1559 Reader.getContext().setPrimaryMergedDecl(D, Existing->getCanonicalDecl());
1560}
1561
1565 D->Value = Record.readAPValue();
1566
1567 // Add this to the AST context's lookup structure, and merge if needed.
1568 if (UnnamedGlobalConstantDecl *Existing =
1569 Reader.getContext().UnnamedGlobalConstantDecls.GetOrInsertNode(D))
1570 Reader.getContext().setPrimaryMergedDecl(D, Existing->getCanonicalDecl());
1571}
1572
1575 D->Value = Record.readAPValue();
1576
1577 // Add this template parameter object to the AST context's lookup structure,
1578 // and merge if needed.
1579 if (TemplateParamObjectDecl *Existing =
1580 Reader.getContext().TemplateParamObjectDecls.GetOrInsertNode(D))
1581 Reader.getContext().setPrimaryMergedDecl(D, Existing->getCanonicalDecl());
1582}
1583
1585 VisitValueDecl(FD);
1586
1587 FD->ChainingSize = Record.readInt();
1588 assert(FD->ChainingSize >= 2 && "Anonymous chaining must be >= 2");
1589 FD->Chaining = new (Reader.getContext())NamedDecl*[FD->ChainingSize];
1590
1591 for (unsigned I = 0; I != FD->ChainingSize; ++I)
1592 FD->Chaining[I] = readDeclAs<NamedDecl>();
1593
1594 mergeMergeable(FD);
1595}
1596
1598 RedeclarableResult Redecl = VisitRedeclarable(VD);
1600
1601 BitsUnpacker VarDeclBits(Record.readInt());
1602 auto VarLinkage = Linkage(VarDeclBits.getNextBits(/*Width=*/3));
1603 bool DefGeneratedInModule = VarDeclBits.getNextBit();
1604 VD->VarDeclBits.SClass = (StorageClass)VarDeclBits.getNextBits(/*Width=*/3);
1605 VD->VarDeclBits.TSCSpec = VarDeclBits.getNextBits(/*Width=*/2);
1606 VD->VarDeclBits.InitStyle = VarDeclBits.getNextBits(/*Width=*/2);
1607 VD->VarDeclBits.ARCPseudoStrong = VarDeclBits.getNextBit();
1608 bool HasDeducedType = false;
1609 if (!isa<ParmVarDecl>(VD)) {
1610 VD->NonParmVarDeclBits.IsThisDeclarationADemotedDefinition =
1611 VarDeclBits.getNextBit();
1612 VD->NonParmVarDeclBits.ExceptionVar = VarDeclBits.getNextBit();
1613 VD->NonParmVarDeclBits.NRVOVariable = VarDeclBits.getNextBit();
1614 VD->NonParmVarDeclBits.CXXForRangeDecl = VarDeclBits.getNextBit();
1615
1616 VD->NonParmVarDeclBits.IsInline = VarDeclBits.getNextBit();
1617 VD->NonParmVarDeclBits.IsInlineSpecified = VarDeclBits.getNextBit();
1618 VD->NonParmVarDeclBits.IsConstexpr = VarDeclBits.getNextBit();
1619 VD->NonParmVarDeclBits.IsInitCapture = VarDeclBits.getNextBit();
1620 VD->NonParmVarDeclBits.PreviousDeclInSameBlockScope =
1621 VarDeclBits.getNextBit();
1622
1623 VD->NonParmVarDeclBits.EscapingByref = VarDeclBits.getNextBit();
1624 HasDeducedType = VarDeclBits.getNextBit();
1625 VD->NonParmVarDeclBits.ImplicitParamKind =
1626 VarDeclBits.getNextBits(/*Width*/ 3);
1627
1628 VD->NonParmVarDeclBits.ObjCForDecl = VarDeclBits.getNextBit();
1629 }
1630
1631 // If this variable has a deduced type, defer reading that type until we are
1632 // done deserializing this variable, because the type might refer back to the
1633 // variable.
1634 if (HasDeducedType)
1635 Reader.PendingDeducedVarTypes.push_back({VD, DeferredTypeID});
1636 else
1637 VD->setType(Reader.GetType(DeferredTypeID));
1638 DeferredTypeID = 0;
1639
1640 VD->setCachedLinkage(VarLinkage);
1641
1642 // Reconstruct the one piece of the IdentifierNamespace that we need.
1643 if (VD->getStorageClass() == SC_Extern && VarLinkage != Linkage::None &&
1645 VD->setLocalExternDecl();
1646
1647 if (DefGeneratedInModule) {
1648 Reader.DefinitionSource[VD] =
1649 Loc.F->Kind == ModuleKind::MK_MainFile ||
1650 Reader.getContext().getLangOpts().BuildingPCHWithObjectFile;
1651 }
1652
1653 if (VD->hasAttr<BlocksAttr>()) {
1654 Expr *CopyExpr = Record.readExpr();
1655 if (CopyExpr)
1656 Reader.getContext().setBlockVarCopyInit(VD, CopyExpr, Record.readInt());
1657 }
1658
1659 enum VarKind {
1660 VarNotTemplate = 0, VarTemplate, StaticDataMemberSpecialization
1661 };
1662 switch ((VarKind)Record.readInt()) {
1663 case VarNotTemplate:
1664 // Only true variables (not parameters or implicit parameters) can be
1665 // merged; the other kinds are not really redeclarable at all.
1666 if (!isa<ParmVarDecl>(VD) && !isa<ImplicitParamDecl>(VD) &&
1667 !isa<VarTemplateSpecializationDecl>(VD))
1668 mergeRedeclarable(VD, Redecl);
1669 break;
1670 case VarTemplate:
1671 // Merged when we merge the template.
1672 VD->setDescribedVarTemplate(readDeclAs<VarTemplateDecl>());
1673 break;
1674 case StaticDataMemberSpecialization: { // HasMemberSpecializationInfo.
1675 auto *Tmpl = readDeclAs<VarDecl>();
1676 auto TSK = (TemplateSpecializationKind)Record.readInt();
1677 SourceLocation POI = readSourceLocation();
1678 Reader.getContext().setInstantiatedFromStaticDataMember(VD, Tmpl, TSK,POI);
1679 mergeRedeclarable(VD, Redecl);
1680 break;
1681 }
1682 }
1683
1684 return Redecl;
1685}
1686
1688 if (uint64_t Val = Record.readInt()) {
1689 EvaluatedStmt *Eval = VD->ensureEvaluatedStmt();
1690 Eval->HasConstantInitialization = (Val & 2) != 0;
1691 Eval->HasConstantDestruction = (Val & 4) != 0;
1692 Eval->WasEvaluated = (Val & 8) != 0;
1693 if (Eval->WasEvaluated) {
1694 Eval->Evaluated = Record.readAPValue();
1695 if (Eval->Evaluated.needsCleanup())
1696 Reader.getContext().addDestruction(&Eval->Evaluated);
1697 }
1698
1699 // Store the offset of the initializer. Don't deserialize it yet: it might
1700 // not be needed, and might refer back to the variable, for example if it
1701 // contains a lambda.
1702 Eval->Value = GetCurrentCursorOffset();
1703 }
1704}
1705
1707 VisitVarDecl(PD);
1708}
1709
1711 VisitVarDecl(PD);
1712
1713 unsigned scopeIndex = Record.readInt();
1714 BitsUnpacker ParmVarDeclBits(Record.readInt());
1715 unsigned isObjCMethodParam = ParmVarDeclBits.getNextBit();
1716 unsigned scopeDepth = ParmVarDeclBits.getNextBits(/*Width=*/7);
1717 unsigned declQualifier = ParmVarDeclBits.getNextBits(/*Width=*/7);
1718 if (isObjCMethodParam) {
1719 assert(scopeDepth == 0);
1720 PD->setObjCMethodScopeInfo(scopeIndex);
1721 PD->ParmVarDeclBits.ScopeDepthOrObjCQuals = declQualifier;
1722 } else {
1723 PD->setScopeInfo(scopeDepth, scopeIndex);
1724 }
1725 PD->ParmVarDeclBits.IsKNRPromoted = ParmVarDeclBits.getNextBit();
1726
1727 PD->ParmVarDeclBits.HasInheritedDefaultArg = ParmVarDeclBits.getNextBit();
1728 if (ParmVarDeclBits.getNextBit()) // hasUninstantiatedDefaultArg.
1729 PD->setUninstantiatedDefaultArg(Record.readExpr());
1730
1731 if (ParmVarDeclBits.getNextBit()) // Valid explicit object parameter
1732 PD->ExplicitObjectParameterIntroducerLoc = Record.readSourceLocation();
1733
1734 // FIXME: If this is a redeclaration of a function from another module, handle
1735 // inheritance of default arguments.
1736}
1737
1739 VisitVarDecl(DD);
1740 auto **BDs = DD->getTrailingObjects<BindingDecl *>();
1741 for (unsigned I = 0; I != DD->NumBindings; ++I) {
1742 BDs[I] = readDeclAs<BindingDecl>();
1743 BDs[I]->setDecomposedDecl(DD);
1744 }
1745}
1746
1748 VisitValueDecl(BD);
1749 BD->Binding = Record.readExpr();
1750}
1751
1753 VisitDecl(AD);
1754 AD->setAsmString(cast<StringLiteral>(Record.readExpr()));
1755 AD->setRParenLoc(readSourceLocation());
1756}
1757
1759 VisitDecl(D);
1760 D->Statement = Record.readStmt();
1761}
1762
1764 VisitDecl(BD);
1765 BD->setBody(cast_or_null<CompoundStmt>(Record.readStmt()));
1766 BD->setSignatureAsWritten(readTypeSourceInfo());
1767 unsigned NumParams = Record.readInt();
1769 Params.reserve(NumParams);
1770 for (unsigned I = 0; I != NumParams; ++I)
1771 Params.push_back(readDeclAs<ParmVarDecl>());
1772 BD->setParams(Params);
1773
1774 BD->setIsVariadic(Record.readInt());
1775 BD->setBlockMissingReturnType(Record.readInt());
1776 BD->setIsConversionFromLambda(Record.readInt());
1777 BD->setDoesNotEscape(Record.readInt());
1778 BD->setCanAvoidCopyToHeap(Record.readInt());
1779
1780 bool capturesCXXThis = Record.readInt();
1781 unsigned numCaptures = Record.readInt();
1783 captures.reserve(numCaptures);
1784 for (unsigned i = 0; i != numCaptures; ++i) {
1785 auto *decl = readDeclAs<VarDecl>();
1786 unsigned flags = Record.readInt();
1787 bool byRef = (flags & 1);
1788 bool nested = (flags & 2);
1789 Expr *copyExpr = ((flags & 4) ? Record.readExpr() : nullptr);
1790
1791 captures.push_back(BlockDecl::Capture(decl, byRef, nested, copyExpr));
1792 }
1793 BD->setCaptures(Reader.getContext(), captures, capturesCXXThis);
1794}
1795
1797 VisitDecl(CD);
1798 unsigned ContextParamPos = Record.readInt();
1799 CD->setNothrow(Record.readInt() != 0);
1800 // Body is set by VisitCapturedStmt.
1801 for (unsigned I = 0; I < CD->NumParams; ++I) {
1802 if (I != ContextParamPos)
1803 CD->setParam(I, readDeclAs<ImplicitParamDecl>());
1804 else
1805 CD->setContextParam(I, readDeclAs<ImplicitParamDecl>());
1806 }
1807}
1808
1810 VisitDecl(D);
1811 D->setLanguage(static_cast<LinkageSpecLanguageIDs>(Record.readInt()));
1812 D->setExternLoc(readSourceLocation());
1813 D->setRBraceLoc(readSourceLocation());
1814}
1815
1817 VisitDecl(D);
1818 D->RBraceLoc = readSourceLocation();
1819}
1820
1823 D->setLocStart(readSourceLocation());
1824}
1825
1827 RedeclarableResult Redecl = VisitRedeclarable(D);
1829
1830 BitsUnpacker NamespaceDeclBits(Record.readInt());
1831 D->setInline(NamespaceDeclBits.getNextBit());
1832 D->setNested(NamespaceDeclBits.getNextBit());
1833 D->LocStart = readSourceLocation();
1834 D->RBraceLoc = readSourceLocation();
1835
1836 // Defer loading the anonymous namespace until we've finished merging
1837 // this namespace; loading it might load a later declaration of the
1838 // same namespace, and we have an invariant that older declarations
1839 // get merged before newer ones try to merge.
1840 GlobalDeclID AnonNamespace;
1841 if (Redecl.getFirstID() == ThisDeclID)
1842 AnonNamespace = readDeclID();
1843
1844 mergeRedeclarable(D, Redecl);
1845
1846 if (AnonNamespace.isValid()) {
1847 // Each module has its own anonymous namespace, which is disjoint from
1848 // any other module's anonymous namespaces, so don't attach the anonymous
1849 // namespace at all.
1850 auto *Anon = cast<NamespaceDecl>(Reader.GetDecl(AnonNamespace));
1851 if (!Record.isModule())
1852 D->setAnonymousNamespace(Anon);
1853 }
1854}
1855
1859 D->IsCBuffer = Record.readBool();
1860 D->KwLoc = readSourceLocation();
1861 D->LBraceLoc = readSourceLocation();
1862 D->RBraceLoc = readSourceLocation();
1863}
1864
1866 RedeclarableResult Redecl = VisitRedeclarable(D);
1868 D->NamespaceLoc = readSourceLocation();
1869 D->IdentLoc = readSourceLocation();
1870 D->QualifierLoc = Record.readNestedNameSpecifierLoc();
1871 D->Namespace = readDeclAs<NamedDecl>();
1872 mergeRedeclarable(D, Redecl);
1873}
1874
1877 D->setUsingLoc(readSourceLocation());
1878 D->QualifierLoc = Record.readNestedNameSpecifierLoc();
1879 D->DNLoc = Record.readDeclarationNameLoc(D->getDeclName());
1880 D->FirstUsingShadow.setPointer(readDeclAs<UsingShadowDecl>());
1881 D->setTypename(Record.readInt());
1882 if (auto *Pattern = readDeclAs<NamedDecl>())
1883 Reader.getContext().setInstantiatedFromUsingDecl(D, Pattern);
1885}
1886
1889 D->setUsingLoc(readSourceLocation());
1890 D->setEnumLoc(readSourceLocation());
1891 D->setEnumType(Record.readTypeSourceInfo());
1892 D->FirstUsingShadow.setPointer(readDeclAs<UsingShadowDecl>());
1893 if (auto *Pattern = readDeclAs<UsingEnumDecl>())
1896}
1897
1900 D->InstantiatedFrom = readDeclAs<NamedDecl>();
1901 auto **Expansions = D->getTrailingObjects<NamedDecl *>();
1902 for (unsigned I = 0; I != D->NumExpansions; ++I)
1903 Expansions[I] = readDeclAs<NamedDecl>();
1905}
1906
1908 RedeclarableResult Redecl = VisitRedeclarable(D);
1910 D->Underlying = readDeclAs<NamedDecl>();
1911 D->IdentifierNamespace = Record.readInt();
1912 D->UsingOrNextShadow = readDeclAs<NamedDecl>();
1913 auto *Pattern = readDeclAs<UsingShadowDecl>();
1914 if (Pattern)
1916 mergeRedeclarable(D, Redecl);
1917}
1918
1922 D->NominatedBaseClassShadowDecl = readDeclAs<ConstructorUsingShadowDecl>();
1923 D->ConstructedBaseClassShadowDecl = readDeclAs<ConstructorUsingShadowDecl>();
1924 D->IsVirtual = Record.readInt();
1925}
1926
1929 D->UsingLoc = readSourceLocation();
1930 D->NamespaceLoc = readSourceLocation();
1931 D->QualifierLoc = Record.readNestedNameSpecifierLoc();
1932 D->NominatedNamespace = readDeclAs<NamedDecl>();
1933 D->CommonAncestor = readDeclAs<DeclContext>();
1934}
1935
1938 D->setUsingLoc(readSourceLocation());
1939 D->QualifierLoc = Record.readNestedNameSpecifierLoc();
1940 D->DNLoc = Record.readDeclarationNameLoc(D->getDeclName());
1941 D->EllipsisLoc = readSourceLocation();
1943}
1944
1948 D->TypenameLocation = readSourceLocation();
1949 D->QualifierLoc = Record.readNestedNameSpecifierLoc();
1950 D->EllipsisLoc = readSourceLocation();
1952}
1953
1957}
1958
1959void ASTDeclReader::ReadCXXDefinitionData(
1960 struct CXXRecordDecl::DefinitionData &Data, const CXXRecordDecl *D,
1961 Decl *LambdaContext, unsigned IndexInLambdaContext) {
1962
1963 BitsUnpacker CXXRecordDeclBits = Record.readInt();
1964
1965#define FIELD(Name, Width, Merge) \
1966 if (!CXXRecordDeclBits.canGetNextNBits(Width)) \
1967 CXXRecordDeclBits.updateValue(Record.readInt()); \
1968 Data.Name = CXXRecordDeclBits.getNextBits(Width);
1969
1970#include "clang/AST/CXXRecordDeclDefinitionBits.def"
1971#undef FIELD
1972
1973 // Note: the caller has deserialized the IsLambda bit already.
1974 Data.ODRHash = Record.readInt();
1975 Data.HasODRHash = true;
1976
1977 if (Record.readInt()) {
1978 Reader.DefinitionSource[D] =
1979 Loc.F->Kind == ModuleKind::MK_MainFile ||
1980 Reader.getContext().getLangOpts().BuildingPCHWithObjectFile;
1981 }
1982
1983 Record.readUnresolvedSet(Data.Conversions);
1984 Data.ComputedVisibleConversions = Record.readInt();
1985 if (Data.ComputedVisibleConversions)
1986 Record.readUnresolvedSet(Data.VisibleConversions);
1987 assert(Data.Definition && "Data.Definition should be already set!");
1988
1989 if (!Data.IsLambda) {
1990 assert(!LambdaContext && !IndexInLambdaContext &&
1991 "given lambda context for non-lambda");
1992
1993 Data.NumBases = Record.readInt();
1994 if (Data.NumBases)
1995 Data.Bases = ReadGlobalOffset();
1996
1997 Data.NumVBases = Record.readInt();
1998 if (Data.NumVBases)
1999 Data.VBases = ReadGlobalOffset();
2000
2001 Data.FirstFriend = readDeclID().getRawValue();
2002 } else {
2003 using Capture = LambdaCapture;
2004
2005 auto &Lambda = static_cast<CXXRecordDecl::LambdaDefinitionData &>(Data);
2006
2007 BitsUnpacker LambdaBits(Record.readInt());
2008 Lambda.DependencyKind = LambdaBits.getNextBits(/*Width=*/2);
2009 Lambda.IsGenericLambda = LambdaBits.getNextBit();
2010 Lambda.CaptureDefault = LambdaBits.getNextBits(/*Width=*/2);
2011 Lambda.NumCaptures = LambdaBits.getNextBits(/*Width=*/15);
2012 Lambda.HasKnownInternalLinkage = LambdaBits.getNextBit();
2013
2014 Lambda.NumExplicitCaptures = Record.readInt();
2015 Lambda.ManglingNumber = Record.readInt();
2016 if (unsigned DeviceManglingNumber = Record.readInt())
2017 Reader.getContext().DeviceLambdaManglingNumbers[D] = DeviceManglingNumber;
2018 Lambda.IndexInContext = IndexInLambdaContext;
2019 Lambda.ContextDecl = LambdaContext;
2020 Capture *ToCapture = nullptr;
2021 if (Lambda.NumCaptures) {
2022 ToCapture = (Capture *)Reader.getContext().Allocate(sizeof(Capture) *
2023 Lambda.NumCaptures);
2024 Lambda.AddCaptureList(Reader.getContext(), ToCapture);
2025 }
2026 Lambda.MethodTyInfo = readTypeSourceInfo();
2027 for (unsigned I = 0, N = Lambda.NumCaptures; I != N; ++I) {
2028 SourceLocation Loc = readSourceLocation();
2029 BitsUnpacker CaptureBits(Record.readInt());
2030 bool IsImplicit = CaptureBits.getNextBit();
2031 auto Kind =
2032 static_cast<LambdaCaptureKind>(CaptureBits.getNextBits(/*Width=*/3));
2033 switch (Kind) {
2034 case LCK_StarThis:
2035 case LCK_This:
2036 case LCK_VLAType:
2037 new (ToCapture)
2038 Capture(Loc, IsImplicit, Kind, nullptr, SourceLocation());
2039 ToCapture++;
2040 break;
2041 case LCK_ByCopy:
2042 case LCK_ByRef:
2043 auto *Var = readDeclAs<ValueDecl>();
2044 SourceLocation EllipsisLoc = readSourceLocation();
2045 new (ToCapture) Capture(Loc, IsImplicit, Kind, Var, EllipsisLoc);
2046 ToCapture++;
2047 break;
2048 }
2049 }
2050 }
2051}
2052
2054 CXXRecordDecl *D, struct CXXRecordDecl::DefinitionData &&MergeDD) {
2055 assert(D->DefinitionData &&
2056 "merging class definition into non-definition");
2057 auto &DD = *D->DefinitionData;
2058
2059 if (DD.Definition != MergeDD.Definition) {
2060 // Track that we merged the definitions.
2061 Reader.MergedDeclContexts.insert(std::make_pair(MergeDD.Definition,
2062 DD.Definition));
2063 Reader.PendingDefinitions.erase(MergeDD.Definition);
2064 MergeDD.Definition->demoteThisDefinitionToDeclaration();
2065 Reader.mergeDefinitionVisibility(DD.Definition, MergeDD.Definition);
2066 assert(!Reader.Lookups.contains(MergeDD.Definition) &&
2067 "already loaded pending lookups for merged definition");
2068 }
2069
2070 auto PFDI = Reader.PendingFakeDefinitionData.find(&DD);
2071 if (PFDI != Reader.PendingFakeDefinitionData.end() &&
2072 PFDI->second == ASTReader::PendingFakeDefinitionKind::Fake) {
2073 // We faked up this definition data because we found a class for which we'd
2074 // not yet loaded the definition. Replace it with the real thing now.
2075 assert(!DD.IsLambda && !MergeDD.IsLambda && "faked up lambda definition?");
2076 PFDI->second = ASTReader::PendingFakeDefinitionKind::FakeLoaded;
2077
2078 // Don't change which declaration is the definition; that is required
2079 // to be invariant once we select it.
2080 auto *Def = DD.Definition;
2081 DD = std::move(MergeDD);
2082 DD.Definition = Def;
2083 return;
2084 }
2085
2086 bool DetectedOdrViolation = false;
2087
2088 #define FIELD(Name, Width, Merge) Merge(Name)
2089 #define MERGE_OR(Field) DD.Field |= MergeDD.Field;
2090 #define NO_MERGE(Field) \
2091 DetectedOdrViolation |= DD.Field != MergeDD.Field; \
2092 MERGE_OR(Field)
2093 #include "clang/AST/CXXRecordDeclDefinitionBits.def"
2094 NO_MERGE(IsLambda)
2095 #undef NO_MERGE
2096 #undef MERGE_OR
2097
2098 if (DD.NumBases != MergeDD.NumBases || DD.NumVBases != MergeDD.NumVBases)
2099 DetectedOdrViolation = true;
2100 // FIXME: Issue a diagnostic if the base classes don't match when we come
2101 // to lazily load them.
2102
2103 // FIXME: Issue a diagnostic if the list of conversion functions doesn't
2104 // match when we come to lazily load them.
2105 if (MergeDD.ComputedVisibleConversions && !DD.ComputedVisibleConversions) {
2106 DD.VisibleConversions = std::move(MergeDD.VisibleConversions);
2107 DD.ComputedVisibleConversions = true;
2108 }
2109
2110 // FIXME: Issue a diagnostic if FirstFriend doesn't match when we come to
2111 // lazily load it.
2112
2113 if (DD.IsLambda) {
2114 auto &Lambda1 = static_cast<CXXRecordDecl::LambdaDefinitionData &>(DD);
2115 auto &Lambda2 = static_cast<CXXRecordDecl::LambdaDefinitionData &>(MergeDD);
2116 DetectedOdrViolation |= Lambda1.DependencyKind != Lambda2.DependencyKind;
2117 DetectedOdrViolation |= Lambda1.IsGenericLambda != Lambda2.IsGenericLambda;
2118 DetectedOdrViolation |= Lambda1.CaptureDefault != Lambda2.CaptureDefault;
2119 DetectedOdrViolation |= Lambda1.NumCaptures != Lambda2.NumCaptures;
2120 DetectedOdrViolation |=
2121 Lambda1.NumExplicitCaptures != Lambda2.NumExplicitCaptures;
2122 DetectedOdrViolation |=
2123 Lambda1.HasKnownInternalLinkage != Lambda2.HasKnownInternalLinkage;
2124 DetectedOdrViolation |= Lambda1.ManglingNumber != Lambda2.ManglingNumber;
2125
2126 if (Lambda1.NumCaptures && Lambda1.NumCaptures == Lambda2.NumCaptures) {
2127 for (unsigned I = 0, N = Lambda1.NumCaptures; I != N; ++I) {
2128 LambdaCapture &Cap1 = Lambda1.Captures.front()[I];
2129 LambdaCapture &Cap2 = Lambda2.Captures.front()[I];
2130 DetectedOdrViolation |= Cap1.getCaptureKind() != Cap2.getCaptureKind();
2131 }
2132 Lambda1.AddCaptureList(Reader.getContext(), Lambda2.Captures.front());
2133 }
2134 }
2135
2136 // We don't want to check ODR for decls in the global module fragment.
2137 if (shouldSkipCheckingODR(MergeDD.Definition) || shouldSkipCheckingODR(D))
2138 return;
2139
2140 if (D->getODRHash() != MergeDD.ODRHash) {
2141 DetectedOdrViolation = true;
2142 }
2143
2144 if (DetectedOdrViolation)
2145 Reader.PendingOdrMergeFailures[DD.Definition].push_back(
2146 {MergeDD.Definition, &MergeDD});
2147}
2148
2149void ASTDeclReader::ReadCXXRecordDefinition(CXXRecordDecl *D, bool Update,
2150 Decl *LambdaContext,
2151 unsigned IndexInLambdaContext) {
2152 struct CXXRecordDecl::DefinitionData *DD;
2153 ASTContext &C = Reader.getContext();
2154
2155 // Determine whether this is a lambda closure type, so that we can
2156 // allocate the appropriate DefinitionData structure.
2157 bool IsLambda = Record.readInt();
2158 assert(!(IsLambda && Update) &&
2159 "lambda definition should not be added by update record");
2160 if (IsLambda)
2161 DD = new (C) CXXRecordDecl::LambdaDefinitionData(
2162 D, nullptr, CXXRecordDecl::LDK_Unknown, false, LCD_None);
2163 else
2164 DD = new (C) struct CXXRecordDecl::DefinitionData(D);
2165
2166 CXXRecordDecl *Canon = D->getCanonicalDecl();
2167 // Set decl definition data before reading it, so that during deserialization
2168 // when we read CXXRecordDecl, it already has definition data and we don't
2169 // set fake one.
2170 if (!Canon->DefinitionData)
2171 Canon->DefinitionData = DD;
2172 D->DefinitionData = Canon->DefinitionData;
2173 ReadCXXDefinitionData(*DD, D, LambdaContext, IndexInLambdaContext);
2174
2175 // Mark this declaration as being a definition.
2176 D->setCompleteDefinition(true);
2177
2178 // We might already have a different definition for this record. This can
2179 // happen either because we're reading an update record, or because we've
2180 // already done some merging. Either way, just merge into it.
2181 if (Canon->DefinitionData != DD) {
2182 MergeImpl.MergeDefinitionData(Canon, std::move(*DD));
2183 return;
2184 }
2185
2186 // If this is not the first declaration or is an update record, we can have
2187 // other redeclarations already. Make a note that we need to propagate the
2188 // DefinitionData pointer onto them.
2189 if (Update || Canon != D)
2190 Reader.PendingDefinitions.insert(D);
2191}
2192
2194 RedeclarableResult Redecl = VisitRecordDeclImpl(D);
2195
2196 ASTContext &C = Reader.getContext();
2197
2198 enum CXXRecKind {
2199 CXXRecNotTemplate = 0,
2200 CXXRecTemplate,
2201 CXXRecMemberSpecialization,
2202 CXXLambda
2203 };
2204
2205 Decl *LambdaContext = nullptr;
2206 unsigned IndexInLambdaContext = 0;
2207
2208 switch ((CXXRecKind)Record.readInt()) {
2209 case CXXRecNotTemplate:
2210 // Merged when we merge the folding set entry in the primary template.
2211 if (!isa<ClassTemplateSpecializationDecl>(D))
2212 mergeRedeclarable(D, Redecl);
2213 break;
2214 case CXXRecTemplate: {
2215 // Merged when we merge the template.
2216 auto *Template = readDeclAs<ClassTemplateDecl>();
2217 D->TemplateOrInstantiation = Template;
2218 if (!Template->getTemplatedDecl()) {
2219 // We've not actually loaded the ClassTemplateDecl yet, because we're
2220 // currently being loaded as its pattern. Rely on it to set up our
2221 // TypeForDecl (see VisitClassTemplateDecl).
2222 //
2223 // Beware: we do not yet know our canonical declaration, and may still
2224 // get merged once the surrounding class template has got off the ground.
2225 DeferredTypeID = 0;
2226 }
2227 break;
2228 }
2229 case CXXRecMemberSpecialization: {
2230 auto *RD = readDeclAs<CXXRecordDecl>();
2231 auto TSK = (TemplateSpecializationKind)Record.readInt();
2232 SourceLocation POI = readSourceLocation();
2234 MSI->setPointOfInstantiation(POI);
2235 D->TemplateOrInstantiation = MSI;
2236 mergeRedeclarable(D, Redecl);
2237 break;
2238 }
2239 case CXXLambda: {
2240 LambdaContext = readDecl();
2241 if (LambdaContext)
2242 IndexInLambdaContext = Record.readInt();
2243 if (LambdaContext)
2244 MergeImpl.mergeLambda(D, Redecl, *LambdaContext, IndexInLambdaContext);
2245 else
2246 // If we don't have a mangling context, treat this like any other
2247 // declaration.
2248 mergeRedeclarable(D, Redecl);
2249 break;
2250 }
2251 }
2252
2253 bool WasDefinition = Record.readInt();
2254 if (WasDefinition)
2255 ReadCXXRecordDefinition(D, /*Update=*/false, LambdaContext,
2256 IndexInLambdaContext);
2257 else
2258 // Propagate DefinitionData pointer from the canonical declaration.
2259 D->DefinitionData = D->getCanonicalDecl()->DefinitionData;
2260
2261 // Lazily load the key function to avoid deserializing every method so we can
2262 // compute it.
2263 if (WasDefinition) {
2264 GlobalDeclID KeyFn = readDeclID();
2265 if (KeyFn.isValid() && D->isCompleteDefinition())
2266 // FIXME: This is wrong for the ARM ABI, where some other module may have
2267 // made this function no longer be a key function. We need an update
2268 // record or similar for that case.
2269 C.KeyFunctions[D] = KeyFn.getRawValue();
2270 }
2271
2272 return Redecl;
2273}
2274
2276 D->setExplicitSpecifier(Record.readExplicitSpec());
2277 D->Ctor = readDeclAs<CXXConstructorDecl>();
2279 D->setDeductionCandidateKind(
2280 static_cast<DeductionCandidate>(Record.readInt()));
2281}
2282
2285
2286 unsigned NumOverridenMethods = Record.readInt();
2287 if (D->isCanonicalDecl()) {
2288 while (NumOverridenMethods--) {
2289 // Avoid invariant checking of CXXMethodDecl::addOverriddenMethod,
2290 // MD may be initializing.
2291 if (auto *MD = readDeclAs<CXXMethodDecl>())
2293 }
2294 } else {
2295 // We don't care about which declarations this used to override; we get
2296 // the relevant information from the canonical declaration.
2297 Record.skipInts(NumOverridenMethods);
2298 }
2299}
2300
2302 // We need the inherited constructor information to merge the declaration,
2303 // so we have to read it before we call VisitCXXMethodDecl.
2304 D->setExplicitSpecifier(Record.readExplicitSpec());
2305 if (D->isInheritingConstructor()) {
2306 auto *Shadow = readDeclAs<ConstructorUsingShadowDecl>();
2307 auto *Ctor = readDeclAs<CXXConstructorDecl>();
2308 *D->getTrailingObjects<InheritedConstructor>() =
2309 InheritedConstructor(Shadow, Ctor);
2310 }
2311
2313}
2314
2317
2318 if (auto *OperatorDelete = readDeclAs<FunctionDecl>()) {
2320 auto *ThisArg = Record.readExpr();
2321 // FIXME: Check consistency if we have an old and new operator delete.
2322 if (!Canon->OperatorDelete) {
2323 Canon->OperatorDelete = OperatorDelete;
2324 Canon->OperatorDeleteThisArg = ThisArg;
2325 }
2326 }
2327}
2328
2330 D->setExplicitSpecifier(Record.readExplicitSpec());
2332}
2333
2335 VisitDecl(D);
2336 D->ImportedModule = readModule();
2337 D->setImportComplete(Record.readInt());
2338 auto *StoredLocs = D->getTrailingObjects<SourceLocation>();
2339 for (unsigned I = 0, N = Record.back(); I != N; ++I)
2340 StoredLocs[I] = readSourceLocation();
2341 Record.skipInts(1); // The number of stored source locations.
2342}
2343
2345 VisitDecl(D);
2346 D->setColonLoc(readSourceLocation());
2347}
2348
2350 VisitDecl(D);
2351 if (Record.readInt()) // hasFriendDecl
2352 D->Friend = readDeclAs<NamedDecl>();
2353 else
2354 D->Friend = readTypeSourceInfo();
2355 for (unsigned i = 0; i != D->NumTPLists; ++i)
2356 D->getTrailingObjects<TemplateParameterList *>()[i] =
2357 Record.readTemplateParameterList();
2358 D->NextFriend = readDeclID().getRawValue();
2359 D->UnsupportedFriend = (Record.readInt() != 0);
2360 D->FriendLoc = readSourceLocation();
2361 D->EllipsisLoc = readSourceLocation();
2362}
2363
2365 VisitDecl(D);
2366 unsigned NumParams = Record.readInt();
2367 D->NumParams = NumParams;
2368 D->Params = new (Reader.getContext()) TemplateParameterList *[NumParams];
2369 for (unsigned i = 0; i != NumParams; ++i)
2370 D->Params[i] = Record.readTemplateParameterList();
2371 if (Record.readInt()) // HasFriendDecl
2372 D->Friend = readDeclAs<NamedDecl>();
2373 else
2374 D->Friend = readTypeSourceInfo();
2375 D->FriendLoc = readSourceLocation();
2376}
2377
2380
2381 assert(!D->TemplateParams && "TemplateParams already set!");
2382 D->TemplateParams = Record.readTemplateParameterList();
2383 D->init(readDeclAs<NamedDecl>());
2384}
2385
2388 D->ConstraintExpr = Record.readExpr();
2390}
2391
2394 // The size of the template list was read during creation of the Decl, so we
2395 // don't have to re-read it here.
2396 VisitDecl(D);
2398 for (unsigned I = 0; I < D->NumTemplateArgs; ++I)
2399 Args.push_back(Record.readTemplateArgument(/*Canonicalize=*/true));
2400 D->setTemplateArguments(Args);
2401}
2402
2404}
2405
2407 llvm::BitstreamCursor &DeclsCursor,
2408 bool IsPartial) {
2409 uint64_t Offset = ReadLocalOffset();
2410 bool Failed =
2411 Reader.ReadSpecializations(M, DeclsCursor, Offset, D, IsPartial);
2412 (void)Failed;
2413 assert(!Failed);
2414}
2415
2416RedeclarableResult
2418 RedeclarableResult Redecl = VisitRedeclarable(D);
2419
2420 // Make sure we've allocated the Common pointer first. We do this before
2421 // VisitTemplateDecl so that getCommonPtr() can be used during initialization.
2423 if (!CanonD->Common) {
2424 CanonD->Common = CanonD->newCommon(Reader.getContext());
2425 Reader.PendingDefinitions.insert(CanonD);
2426 }
2427 D->Common = CanonD->Common;
2428
2429 // If this is the first declaration of the template, fill in the information
2430 // for the 'common' pointer.
2431 if (ThisDeclID == Redecl.getFirstID()) {
2432 if (auto *RTD = readDeclAs<RedeclarableTemplateDecl>()) {
2433 assert(RTD->getKind() == D->getKind() &&
2434 "InstantiatedFromMemberTemplate kind mismatch");
2435 D->setInstantiatedFromMemberTemplate(RTD);
2436 if (Record.readInt())
2437 D->setMemberSpecialization();
2438 }
2439 }
2440
2442 D->IdentifierNamespace = Record.readInt();
2443
2444 return Redecl;
2445}
2446
2448 RedeclarableResult Redecl = VisitRedeclarableTemplateDecl(D);
2450
2451 if (ThisDeclID == Redecl.getFirstID()) {
2452 // This ClassTemplateDecl owns a CommonPtr; read it to keep track of all of
2453 // the specializations.
2454 ReadSpecializations(*Loc.F, D, Loc.F->DeclsCursor, /*IsPartial=*/false);
2455 ReadSpecializations(*Loc.F, D, Loc.F->DeclsCursor, /*IsPartial=*/true);
2456 }
2457
2458 if (D->getTemplatedDecl()->TemplateOrInstantiation) {
2459 // We were loaded before our templated declaration was. We've not set up
2460 // its corresponding type yet (see VisitCXXRecordDeclImpl), so reconstruct
2461 // it now.
2463 D->getTemplatedDecl(), D->getInjectedClassNameSpecialization());
2464 }
2465}
2466
2468 llvm_unreachable("BuiltinTemplates are not serialized");
2469}
2470
2471/// TODO: Unify with ClassTemplateDecl version?
2472/// May require unifying ClassTemplateDecl and
2473/// VarTemplateDecl beyond TemplateDecl...
2475 RedeclarableResult Redecl = VisitRedeclarableTemplateDecl(D);
2477
2478 if (ThisDeclID == Redecl.getFirstID()) {
2479 // This VarTemplateDecl owns a CommonPtr; read it to keep track of all of
2480 // the specializations.
2481 ReadSpecializations(*Loc.F, D, Loc.F->DeclsCursor, /*IsPartial=*/false);
2482 ReadSpecializations(*Loc.F, D, Loc.F->DeclsCursor, /*IsPartial=*/true);
2483 }
2484}
2485
2488 RedeclarableResult Redecl = VisitCXXRecordDeclImpl(D);
2489
2490 ASTContext &C = Reader.getContext();
2491 if (Decl *InstD = readDecl()) {
2492 if (auto *CTD = dyn_cast<ClassTemplateDecl>(InstD)) {
2493 D->SpecializedTemplate = CTD;
2494 } else {
2496 Record.readTemplateArgumentList(TemplArgs);
2497 TemplateArgumentList *ArgList
2498 = TemplateArgumentList::CreateCopy(C, TemplArgs);
2499 auto *PS =
2501 SpecializedPartialSpecialization();
2502 PS->PartialSpecialization
2503 = cast<ClassTemplatePartialSpecializationDecl>(InstD);
2504 PS->TemplateArgs = ArgList;
2505 D->SpecializedTemplate = PS;
2506 }
2507 }
2508
2510 Record.readTemplateArgumentList(TemplArgs, /*Canonicalize*/ true);
2511 D->TemplateArgs = TemplateArgumentList::CreateCopy(C, TemplArgs);
2512 D->PointOfInstantiation = readSourceLocation();
2513 D->SpecializationKind = (TemplateSpecializationKind)Record.readInt();
2514
2515 bool writtenAsCanonicalDecl = Record.readInt();
2516 if (writtenAsCanonicalDecl) {
2517 auto *CanonPattern = readDeclAs<ClassTemplateDecl>();
2518 if (D->isCanonicalDecl()) { // It's kept in the folding set.
2519 // Set this as, or find, the canonical declaration for this specialization
2521 if (auto *Partial = dyn_cast<ClassTemplatePartialSpecializationDecl>(D)) {
2522 CanonSpec = CanonPattern->getCommonPtr()->PartialSpecializations
2523 .GetOrInsertNode(Partial);
2524 } else {
2525 CanonSpec =
2526 CanonPattern->getCommonPtr()->Specializations.GetOrInsertNode(D);
2527 }
2528 // If there was already a canonical specialization, merge into it.
2529 if (CanonSpec != D) {
2530 MergeImpl.mergeRedeclarable<TagDecl>(D, CanonSpec, Redecl);
2531
2532 // This declaration might be a definition. Merge with any existing
2533 // definition.
2534 if (auto *DDD = D->DefinitionData) {
2535 if (CanonSpec->DefinitionData)
2536 MergeImpl.MergeDefinitionData(CanonSpec, std::move(*DDD));
2537 else
2538 CanonSpec->DefinitionData = D->DefinitionData;
2539 }
2540 D->DefinitionData = CanonSpec->DefinitionData;
2541 }
2542 }
2543 }
2544
2545 // extern/template keyword locations for explicit instantiations
2546 if (Record.readBool()) {
2547 auto *ExplicitInfo = new (C) ExplicitInstantiationInfo;
2548 ExplicitInfo->ExternKeywordLoc = readSourceLocation();
2549 ExplicitInfo->TemplateKeywordLoc = readSourceLocation();
2550 D->ExplicitInfo = ExplicitInfo;
2551 }
2552
2553 if (Record.readBool())
2554 D->setTemplateArgsAsWritten(Record.readASTTemplateArgumentListInfo());
2555
2556 return Redecl;
2557}
2558
2561 // We need to read the template params first because redeclarable is going to
2562 // need them for profiling
2563 TemplateParameterList *Params = Record.readTemplateParameterList();
2564 D->TemplateParams = Params;
2565
2566 RedeclarableResult Redecl = VisitClassTemplateSpecializationDeclImpl(D);
2567
2568 // These are read/set from/to the first declaration.
2569 if (ThisDeclID == Redecl.getFirstID()) {
2570 D->InstantiatedFromMember.setPointer(
2571 readDeclAs<ClassTemplatePartialSpecializationDecl>());
2572 D->InstantiatedFromMember.setInt(Record.readInt());
2573 }
2574}
2575
2577 RedeclarableResult Redecl = VisitRedeclarableTemplateDecl(D);
2578
2579 if (ThisDeclID == Redecl.getFirstID()) {
2580 // This FunctionTemplateDecl owns a CommonPtr; read it.
2581 ReadSpecializations(*Loc.F, D, Loc.F->DeclsCursor, /*IsPartial=*/false);
2582 }
2583}
2584
2585/// TODO: Unify with ClassTemplateSpecializationDecl version?
2586/// May require unifying ClassTemplate(Partial)SpecializationDecl and
2587/// VarTemplate(Partial)SpecializationDecl with a new data
2588/// structure Template(Partial)SpecializationDecl, and
2589/// using Template(Partial)SpecializationDecl as input type.
2592 ASTContext &C = Reader.getContext();
2593 if (Decl *InstD = readDecl()) {
2594 if (auto *VTD = dyn_cast<VarTemplateDecl>(InstD)) {
2595 D->SpecializedTemplate = VTD;
2596 } else {
2598 Record.readTemplateArgumentList(TemplArgs);
2600 C, TemplArgs);
2601 auto *PS =
2602 new (C)
2603 VarTemplateSpecializationDecl::SpecializedPartialSpecialization();
2604 PS->PartialSpecialization =
2605 cast<VarTemplatePartialSpecializationDecl>(InstD);
2606 PS->TemplateArgs = ArgList;
2607 D->SpecializedTemplate = PS;
2608 }
2609 }
2610
2611 // extern/template keyword locations for explicit instantiations
2612 if (Record.readBool()) {
2613 auto *ExplicitInfo = new (C) ExplicitInstantiationInfo;
2614 ExplicitInfo->ExternKeywordLoc = readSourceLocation();
2615 ExplicitInfo->TemplateKeywordLoc = readSourceLocation();
2616 D->ExplicitInfo = ExplicitInfo;
2617 }
2618
2619 if (Record.readBool())
2620 D->setTemplateArgsAsWritten(Record.readASTTemplateArgumentListInfo());
2621
2623 Record.readTemplateArgumentList(TemplArgs, /*Canonicalize*/ true);
2624 D->TemplateArgs = TemplateArgumentList::CreateCopy(C, TemplArgs);
2625 D->PointOfInstantiation = readSourceLocation();
2626 D->SpecializationKind = (TemplateSpecializationKind)Record.readInt();
2627 D->IsCompleteDefinition = Record.readInt();
2628
2629 RedeclarableResult Redecl = VisitVarDeclImpl(D);
2630
2631 bool writtenAsCanonicalDecl = Record.readInt();
2632 if (writtenAsCanonicalDecl) {
2633 auto *CanonPattern = readDeclAs<VarTemplateDecl>();
2634 if (D->isCanonicalDecl()) { // It's kept in the folding set.
2636 if (auto *Partial = dyn_cast<VarTemplatePartialSpecializationDecl>(D)) {
2637 CanonSpec = CanonPattern->getCommonPtr()
2638 ->PartialSpecializations.GetOrInsertNode(Partial);
2639 } else {
2640 CanonSpec =
2641 CanonPattern->getCommonPtr()->Specializations.GetOrInsertNode(D);
2642 }
2643 // If we already have a matching specialization, merge it.
2644 if (CanonSpec != D)
2645 MergeImpl.mergeRedeclarable<VarDecl>(D, CanonSpec, Redecl);
2646 }
2647 }
2648
2649 return Redecl;
2650}
2651
2652/// TODO: Unify with ClassTemplatePartialSpecializationDecl version?
2653/// May require unifying ClassTemplate(Partial)SpecializationDecl and
2654/// VarTemplate(Partial)SpecializationDecl with a new data
2655/// structure Template(Partial)SpecializationDecl, and
2656/// using Template(Partial)SpecializationDecl as input type.
2659 TemplateParameterList *Params = Record.readTemplateParameterList();
2660 D->TemplateParams = Params;
2661
2662 RedeclarableResult Redecl = VisitVarTemplateSpecializationDeclImpl(D);
2663
2664 // These are read/set from/to the first declaration.
2665 if (ThisDeclID == Redecl.getFirstID()) {
2666 D->InstantiatedFromMember.setPointer(
2667 readDeclAs<VarTemplatePartialSpecializationDecl>());
2668 D->InstantiatedFromMember.setInt(Record.readInt());
2669 }
2670}
2671
2674
2675 D->setDeclaredWithTypename(Record.readInt());
2676
2677 bool TypeConstraintInitialized = D->hasTypeConstraint() && Record.readBool();
2678 if (TypeConstraintInitialized) {
2679 ConceptReference *CR = nullptr;
2680 if (Record.readBool())
2681 CR = Record.readConceptReference();
2682 Expr *ImmediatelyDeclaredConstraint = Record.readExpr();
2683
2684 D->setTypeConstraint(CR, ImmediatelyDeclaredConstraint);
2685 if ((D->ExpandedParameterPack = Record.readInt()))
2686 D->NumExpanded = Record.readInt();
2687 }
2688
2689 if (Record.readInt())
2690 D->setDefaultArgument(Reader.getContext(),
2691 Record.readTemplateArgumentLoc());
2692}
2693
2696 // TemplateParmPosition.
2697 D->setDepth(Record.readInt());
2698 D->setPosition(Record.readInt());
2699 if (D->hasPlaceholderTypeConstraint())
2700 D->setPlaceholderTypeConstraint(Record.readExpr());
2701 if (D->isExpandedParameterPack()) {
2702 auto TypesAndInfos =
2703 D->getTrailingObjects<std::pair<QualType, TypeSourceInfo *>>();
2704 for (unsigned I = 0, N = D->getNumExpansionTypes(); I != N; ++I) {
2705 new (&TypesAndInfos[I].first) QualType(Record.readType());
2706 TypesAndInfos[I].second = readTypeSourceInfo();
2707 }
2708 } else {
2709 // Rest of NonTypeTemplateParmDecl.
2710 D->ParameterPack = Record.readInt();
2711 if (Record.readInt())
2712 D->setDefaultArgument(Reader.getContext(),
2713 Record.readTemplateArgumentLoc());
2714 }
2715}
2716
2719 D->setDeclaredWithTypename(Record.readBool());
2720 // TemplateParmPosition.
2721 D->setDepth(Record.readInt());
2722 D->setPosition(Record.readInt());
2723 if (D->isExpandedParameterPack()) {
2724 auto **Data = D->getTrailingObjects<TemplateParameterList *>();
2725 for (unsigned I = 0, N = D->getNumExpansionTemplateParameters();
2726 I != N; ++I)
2727 Data[I] = Record.readTemplateParameterList();
2728 } else {
2729 // Rest of TemplateTemplateParmDecl.
2730 D->ParameterPack = Record.readInt();
2731 if (Record.readInt())
2732 D->setDefaultArgument(Reader.getContext(),
2733 Record.readTemplateArgumentLoc());
2734 }
2735}
2736
2738 RedeclarableResult Redecl = VisitRedeclarableTemplateDecl(D);
2740}
2741
2743 VisitDecl(D);
2744 D->AssertExprAndFailed.setPointer(Record.readExpr());
2745 D->AssertExprAndFailed.setInt(Record.readInt());
2746 D->Message = cast_or_null<StringLiteral>(Record.readExpr());
2747 D->RParenLoc = readSourceLocation();
2748}
2749
2751 VisitDecl(D);
2752}
2753
2756 VisitDecl(D);
2757 D->ExtendingDecl = readDeclAs<ValueDecl>();
2758 D->ExprWithTemporary = Record.readStmt();
2759 if (Record.readInt()) {
2760 D->Value = new (D->getASTContext()) APValue(Record.readAPValue());
2761 D->getASTContext().addDestruction(D->Value);
2762 }
2763 D->ManglingNumber = Record.readInt();
2765}
2766
2767std::pair<uint64_t, uint64_t>
2769 uint64_t LexicalOffset = ReadLocalOffset();
2770 uint64_t VisibleOffset = ReadLocalOffset();
2771 return std::make_pair(LexicalOffset, VisibleOffset);
2772}
2773
2774template <typename T>
2776 GlobalDeclID FirstDeclID = readDeclID();
2777 Decl *MergeWith = nullptr;
2778
2779 bool IsKeyDecl = ThisDeclID == FirstDeclID;
2780 bool IsFirstLocalDecl = false;
2781
2782 uint64_t RedeclOffset = 0;
2783
2784 // invalid FirstDeclID indicates that this declaration was the only
2785 // declaration of its entity, and is used for space optimization.
2786 if (FirstDeclID.isInvalid()) {
2787 FirstDeclID = ThisDeclID;
2788 IsKeyDecl = true;
2789 IsFirstLocalDecl = true;
2790 } else if (unsigned N = Record.readInt()) {
2791 // This declaration was the first local declaration, but may have imported
2792 // other declarations.
2793 IsKeyDecl = N == 1;
2794 IsFirstLocalDecl = true;
2795
2796 // We have some declarations that must be before us in our redeclaration
2797 // chain. Read them now, and remember that we ought to merge with one of
2798 // them.
2799 // FIXME: Provide a known merge target to the second and subsequent such
2800 // declaration.
2801 for (unsigned I = 0; I != N - 1; ++I)
2802 MergeWith = readDecl();
2803
2804 RedeclOffset = ReadLocalOffset();
2805 } else {
2806 // This declaration was not the first local declaration. Read the first
2807 // local declaration now, to trigger the import of other redeclarations.
2808 (void)readDecl();
2809 }
2810
2811 auto *FirstDecl = cast_or_null<T>(Reader.GetDecl(FirstDeclID));
2812 if (FirstDecl != D) {
2813 // We delay loading of the redeclaration chain to avoid deeply nested calls.
2814 // We temporarily set the first (canonical) declaration as the previous one
2815 // which is the one that matters and mark the real previous DeclID to be
2816 // loaded & attached later on.
2817 D->RedeclLink = Redeclarable<T>::PreviousDeclLink(FirstDecl);
2818 D->First = FirstDecl->getCanonicalDecl();
2819 }
2820
2821 auto *DAsT = static_cast<T *>(D);
2822
2823 // Note that we need to load local redeclarations of this decl and build a
2824 // decl chain for them. This must happen *after* we perform the preloading
2825 // above; this ensures that the redeclaration chain is built in the correct
2826 // order.
2827 if (IsFirstLocalDecl)
2828 Reader.PendingDeclChains.push_back(std::make_pair(DAsT, RedeclOffset));
2829
2830 return RedeclarableResult(MergeWith, FirstDeclID, IsKeyDecl);
2831}
2832
2833/// Attempts to merge the given declaration (D) with another declaration
2834/// of the same entity.
2835template <typename T>
2837 RedeclarableResult &Redecl) {
2838 // If modules are not available, there is no reason to perform this merge.
2839 if (!Reader.getContext().getLangOpts().Modules)
2840 return;
2841
2842 // If we're not the canonical declaration, we don't need to merge.
2843 if (!DBase->isFirstDecl())
2844 return;
2845
2846 auto *D = static_cast<T *>(DBase);
2847
2848 if (auto *Existing = Redecl.getKnownMergeTarget())
2849 // We already know of an existing declaration we should merge with.
2850 MergeImpl.mergeRedeclarable(D, cast<T>(Existing), Redecl);
2851 else if (FindExistingResult ExistingRes = findExisting(D))
2852 if (T *Existing = ExistingRes)
2853 MergeImpl.mergeRedeclarable(D, Existing, Redecl);
2854}
2855
2856/// Attempt to merge D with a previous declaration of the same lambda, which is
2857/// found by its index within its context declaration, if it has one.
2858///
2859/// We can't look up lambdas in their enclosing lexical or semantic context in
2860/// general, because for lambdas in variables, both of those might be a
2861/// namespace or the translation unit.
2862void ASTDeclMerger::mergeLambda(CXXRecordDecl *D, RedeclarableResult &Redecl,
2863 Decl &Context, unsigned IndexInContext) {
2864 // If modules are not available, there is no reason to perform this merge.
2865 if (!Reader.getContext().getLangOpts().Modules)
2866 return;
2867
2868 // If we're not the canonical declaration, we don't need to merge.
2869 if (!D->isFirstDecl())
2870 return;
2871
2872 if (auto *Existing = Redecl.getKnownMergeTarget())
2873 // We already know of an existing declaration we should merge with.
2874 mergeRedeclarable(D, cast<TagDecl>(Existing), Redecl);
2875
2876 // Look up this lambda to see if we've seen it before. If so, merge with the
2877 // one we already loaded.
2878 NamedDecl *&Slot = Reader.LambdaDeclarationsForMerging[{
2879 Context.getCanonicalDecl(), IndexInContext}];
2880 if (Slot)
2881 mergeRedeclarable(D, cast<TagDecl>(Slot), Redecl);
2882 else
2883 Slot = D;
2884}
2885
2887 RedeclarableResult &Redecl) {
2888 mergeRedeclarable(D, Redecl);
2889 // If we merged the template with a prior declaration chain, merge the
2890 // common pointer.
2891 // FIXME: Actually merge here, don't just overwrite.
2892 D->Common = D->getCanonicalDecl()->Common;
2893}
2894
2895/// "Cast" to type T, asserting if we don't have an implicit conversion.
2896/// We use this to put code in a template that will only be valid for certain
2897/// instantiations.
2898template<typename T> static T assert_cast(T t) { return t; }
2899template<typename T> static T assert_cast(...) {
2900 llvm_unreachable("bad assert_cast");
2901}
2902
2903/// Merge together the pattern declarations from two template
2904/// declarations.
2906 RedeclarableTemplateDecl *Existing,
2907 bool IsKeyDecl) {
2908 auto *DPattern = D->getTemplatedDecl();
2909 auto *ExistingPattern = Existing->getTemplatedDecl();
2910 RedeclarableResult Result(
2911 /*MergeWith*/ ExistingPattern,
2912 DPattern->getCanonicalDecl()->getGlobalID(), IsKeyDecl);
2913
2914 if (auto *DClass = dyn_cast<CXXRecordDecl>(DPattern)) {
2915 // Merge with any existing definition.
2916 // FIXME: This is duplicated in several places. Refactor.
2917 auto *ExistingClass =
2918 cast<CXXRecordDecl>(ExistingPattern)->getCanonicalDecl();
2919 if (auto *DDD = DClass->DefinitionData) {
2920 if (ExistingClass->DefinitionData) {
2921 MergeDefinitionData(ExistingClass, std::move(*DDD));
2922 } else {
2923 ExistingClass->DefinitionData = DClass->DefinitionData;
2924 // We may have skipped this before because we thought that DClass
2925 // was the canonical declaration.
2926 Reader.PendingDefinitions.insert(DClass);
2927 }
2928 }
2929 DClass->DefinitionData = ExistingClass->DefinitionData;
2930
2931 return mergeRedeclarable(DClass, cast<TagDecl>(ExistingPattern),
2932 Result);
2933 }
2934 if (auto *DFunction = dyn_cast<FunctionDecl>(DPattern))
2935 return mergeRedeclarable(DFunction, cast<FunctionDecl>(ExistingPattern),
2936 Result);
2937 if (auto *DVar = dyn_cast<VarDecl>(DPattern))
2938 return mergeRedeclarable(DVar, cast<VarDecl>(ExistingPattern), Result);
2939 if (auto *DAlias = dyn_cast<TypeAliasDecl>(DPattern))
2940 return mergeRedeclarable(DAlias, cast<TypedefNameDecl>(ExistingPattern),
2941 Result);
2942 llvm_unreachable("merged an unknown kind of redeclarable template");
2943}
2944
2945/// Attempts to merge the given declaration (D) with another declaration
2946/// of the same entity.
2947template <typename T>
2949 GlobalDeclID KeyDeclID) {
2950 auto *D = static_cast<T *>(DBase);
2951 T *ExistingCanon = Existing->getCanonicalDecl();
2952 T *DCanon = D->getCanonicalDecl();
2953 if (ExistingCanon != DCanon) {
2954 // Have our redeclaration link point back at the canonical declaration
2955 // of the existing declaration, so that this declaration has the
2956 // appropriate canonical declaration.
2957 D->RedeclLink = Redeclarable<T>::PreviousDeclLink(ExistingCanon);
2958 D->First = ExistingCanon;
2959 ExistingCanon->Used |= D->Used;
2960 D->Used = false;
2961
2962 bool IsKeyDecl = KeyDeclID.isValid();
2963
2964 // When we merge a template, merge its pattern.
2965 if (auto *DTemplate = dyn_cast<RedeclarableTemplateDecl>(D))
2967 DTemplate, assert_cast<RedeclarableTemplateDecl *>(ExistingCanon),
2968 IsKeyDecl);
2969
2970 // If this declaration is a key declaration, make a note of that.
2971 if (IsKeyDecl)
2972 Reader.KeyDecls[ExistingCanon].push_back(KeyDeclID);
2973 }
2974}
2975
2976/// ODR-like semantics for C/ObjC allow us to merge tag types and a structural
2977/// check in Sema guarantees the types can be merged (see C11 6.2.7/1 or C89
2978/// 6.1.2.6/1). Although most merging is done in Sema, we need to guarantee
2979/// that some types are mergeable during deserialization, otherwise name
2980/// lookup fails. This is the case for EnumConstantDecl.
2982 if (!ND)
2983 return false;
2984 // TODO: implement merge for other necessary decls.
2985 if (isa<EnumConstantDecl, FieldDecl, IndirectFieldDecl>(ND))
2986 return true;
2987 return false;
2988}
2989
2990/// Attempts to merge LifetimeExtendedTemporaryDecl with
2991/// identical class definitions from two different modules.
2993 // If modules are not available, there is no reason to perform this merge.
2994 if (!Reader.getContext().getLangOpts().Modules)
2995 return;
2996
2998
3000 Reader.LETemporaryForMerging[std::make_pair(
3001 LETDecl->getExtendingDecl(), LETDecl->getManglingNumber())];
3002 if (LookupResult)
3003 Reader.getContext().setPrimaryMergedDecl(LETDecl,
3004 LookupResult->getCanonicalDecl());
3005 else
3006 LookupResult = LETDecl;
3007}
3008
3009/// Attempts to merge the given declaration (D) with another declaration
3010/// of the same entity, for the case where the entity is not actually
3011/// redeclarable. This happens, for instance, when merging the fields of
3012/// identical class definitions from two different modules.
3013template<typename T>
3015 // If modules are not available, there is no reason to perform this merge.
3016 if (!Reader.getContext().getLangOpts().Modules)
3017 return;
3018
3019 // ODR-based merging is performed in C++ and in some cases (tag types) in C.
3020 // Note that C identically-named things in different translation units are
3021 // not redeclarations, but may still have compatible types, where ODR-like
3022 // semantics may apply.
3023 if (!Reader.getContext().getLangOpts().CPlusPlus &&
3024 !allowODRLikeMergeInC(dyn_cast<NamedDecl>(static_cast<T*>(D))))
3025 return;
3026
3027 if (FindExistingResult ExistingRes = findExisting(static_cast<T*>(D)))
3028 if (T *Existing = ExistingRes)
3029 Reader.getContext().setPrimaryMergedDecl(static_cast<T *>(D),
3030 Existing->getCanonicalDecl());
3031}
3032
3034 Record.readOMPChildren(D->Data);
3035 VisitDecl(D);
3036}
3037
3039 Record.readOMPChildren(D->Data);
3040 VisitDecl(D);
3041}
3042
3044 Record.readOMPChildren(D->Data);
3045 VisitDecl(D);
3046}
3047
3050 D->setLocation(readSourceLocation());
3051 Expr *In = Record.readExpr();
3052 Expr *Out = Record.readExpr();
3053 D->setCombinerData(In, Out);
3054 Expr *Combiner = Record.readExpr();
3055 D->setCombiner(Combiner);
3056 Expr *Orig = Record.readExpr();
3057 Expr *Priv = Record.readExpr();
3058 D->setInitializerData(Orig, Priv);
3059 Expr *Init = Record.readExpr();
3060 auto IK = static_cast<OMPDeclareReductionInitKind>(Record.readInt());
3061 D->setInitializer(Init, IK);
3062 D->PrevDeclInScope = readDeclID().getRawValue();
3063}
3064
3066 Record.readOMPChildren(D->Data);
3068 D->VarName = Record.readDeclarationName();
3069 D->PrevDeclInScope = readDeclID().getRawValue();
3070}
3071
3073 VisitVarDecl(D);
3074}
3075
3076//===----------------------------------------------------------------------===//
3077// Attribute Reading
3078//===----------------------------------------------------------------------===//
3079
3080namespace {
3081class AttrReader {
3082 ASTRecordReader &Reader;
3083
3084public:
3085 AttrReader(ASTRecordReader &Reader) : Reader(Reader) {}
3086
3087 uint64_t readInt() {
3088 return Reader.readInt();
3089 }
3090
3091 bool readBool() { return Reader.readBool(); }
3092
3093 SourceRange readSourceRange() {
3094 return Reader.readSourceRange();
3095 }
3096
3097 SourceLocation readSourceLocation() {
3098 return Reader.readSourceLocation();
3099 }
3100
3101 Expr *readExpr() { return Reader.readExpr(); }
3102
3103 Attr *readAttr() { return Reader.readAttr(); }
3104
3105 std::string readString() {
3106 return Reader.readString();
3107 }
3108
3109 TypeSourceInfo *readTypeSourceInfo() {
3110 return Reader.readTypeSourceInfo();
3111 }
3112
3113 IdentifierInfo *readIdentifier() {
3114 return Reader.readIdentifier();
3115 }
3116
3117 VersionTuple readVersionTuple() {
3118 return Reader.readVersionTuple();
3119 }
3120
3121 OMPTraitInfo *readOMPTraitInfo() { return Reader.readOMPTraitInfo(); }
3122
3123 template <typename T> T *readDeclAs() { return Reader.readDeclAs<T>(); }
3124};
3125}
3126
3128 AttrReader Record(*this);
3129 auto V = Record.readInt();
3130 if (!V)
3131 return nullptr;
3132
3133 Attr *New = nullptr;
3134 // Kind is stored as a 1-based integer because 0 is used to indicate a null
3135 // Attr pointer.
3136 auto Kind = static_cast<attr::Kind>(V - 1);
3137 ASTContext &Context = getContext();
3138
3139 IdentifierInfo *AttrName = Record.readIdentifier();
3140 IdentifierInfo *ScopeName = Record.readIdentifier();
3141 SourceRange AttrRange = Record.readSourceRange();
3142 SourceLocation ScopeLoc = Record.readSourceLocation();
3143 unsigned ParsedKind = Record.readInt();
3144 unsigned Syntax = Record.readInt();
3145 unsigned SpellingIndex = Record.readInt();
3146 bool IsAlignas = (ParsedKind == AttributeCommonInfo::AT_Aligned &&
3148 SpellingIndex == AlignedAttr::Keyword_alignas);
3149 bool IsRegularKeywordAttribute = Record.readBool();
3150
3151 AttributeCommonInfo Info(AttrName, ScopeName, AttrRange, ScopeLoc,
3152 AttributeCommonInfo::Kind(ParsedKind),
3153 {AttributeCommonInfo::Syntax(Syntax), SpellingIndex,
3154 IsAlignas, IsRegularKeywordAttribute});
3155
3156#include "clang/Serialization/AttrPCHRead.inc"
3157
3158 assert(New && "Unable to decode attribute?");
3159 return New;
3160}
3161
3162/// Reads attributes from the current stream position.
3164 for (unsigned I = 0, E = readInt(); I != E; ++I)
3165 if (auto *A = readAttr())
3166 Attrs.push_back(A);
3167}
3168
3169//===----------------------------------------------------------------------===//
3170// ASTReader Implementation
3171//===----------------------------------------------------------------------===//
3172
3173/// Note that we have loaded the declaration with the given
3174/// Index.
3175///
3176/// This routine notes that this declaration has already been loaded,
3177/// so that future GetDecl calls will return this declaration rather
3178/// than trying to load a new declaration.
3179inline void ASTReader::LoadedDecl(unsigned Index, Decl *D) {
3180 assert(!DeclsLoaded[Index] && "Decl loaded twice?");
3181 DeclsLoaded[Index] = D;
3182}
3183
3184/// Determine whether the consumer will be interested in seeing
3185/// this declaration (via HandleTopLevelDecl).
3186///
3187/// This routine should return true for anything that might affect
3188/// code generation, e.g., inline function definitions, Objective-C
3189/// declarations with metadata, etc.
3190bool ASTReader::isConsumerInterestedIn(Decl *D) {
3191 // An ObjCMethodDecl is never considered as "interesting" because its
3192 // implementation container always is.
3193
3194 // An ImportDecl or VarDecl imported from a module map module will get
3195 // emitted when we import the relevant module.
3197 auto *M = D->getImportedOwningModule();
3198 if (M && M->Kind == Module::ModuleMapModule &&
3199 getContext().DeclMustBeEmitted(D))
3200 return false;
3201 }
3202
3205 return true;
3208 return !D->getDeclContext()->isFunctionOrMethod();
3209 if (const auto *Var = dyn_cast<VarDecl>(D))
3210 return Var->isFileVarDecl() &&
3211 (Var->isThisDeclarationADefinition() == VarDecl::Definition ||
3212 OMPDeclareTargetDeclAttr::isDeclareTargetDeclaration(Var));
3213 if (const auto *Func = dyn_cast<FunctionDecl>(D))
3214 return Func->doesThisDeclarationHaveABody() || PendingBodies.count(D);
3215
3216 if (auto *ES = D->getASTContext().getExternalSource())
3217 if (ES->hasExternalDefinitions(D) == ExternalASTSource::EK_Never)
3218 return true;
3219
3220 return false;
3221}
3222
3223/// Get the correct cursor and offset for loading a declaration.
3224ASTReader::RecordLocation ASTReader::DeclCursorForID(GlobalDeclID ID,
3227 assert(M);
3228 unsigned LocalDeclIndex = ID.getLocalDeclIndex();
3229 const DeclOffset &DOffs = M->DeclOffsets[LocalDeclIndex];
3230 Loc = ReadSourceLocation(*M, DOffs.getRawLoc());
3231 return RecordLocation(M, DOffs.getBitOffset(M->DeclsBlockStartOffset));
3232}
3233
3234ASTReader::RecordLocation ASTReader::getLocalBitOffset(uint64_t GlobalOffset) {
3235 auto I = GlobalBitOffsetsMap.find(GlobalOffset);
3236
3237 assert(I != GlobalBitOffsetsMap.end() && "Corrupted global bit offsets map");
3238 return RecordLocation(I->second, GlobalOffset - I->second->GlobalBitOffset);
3239}
3240
3241uint64_t ASTReader::getGlobalBitOffset(ModuleFile &M, uint64_t LocalOffset) {
3242 return LocalOffset + M.GlobalBitOffset;
3243}
3244
3246ASTDeclReader::getOrFakePrimaryClassDefinition(ASTReader &Reader,
3247 CXXRecordDecl *RD) {
3248 // Try to dig out the definition.
3249 auto *DD = RD->DefinitionData;
3250 if (!DD)
3251 DD = RD->getCanonicalDecl()->DefinitionData;
3252
3253 // If there's no definition yet, then DC's definition is added by an update
3254 // record, but we've not yet loaded that update record. In this case, we
3255 // commit to DC being the canonical definition now, and will fix this when
3256 // we load the update record.
3257 if (!DD) {
3258 DD = new (Reader.getContext()) struct CXXRecordDecl::DefinitionData(RD);
3259 RD->setCompleteDefinition(true);
3260 RD->DefinitionData = DD;
3261 RD->getCanonicalDecl()->DefinitionData = DD;
3262
3263 // Track that we did this horrible thing so that we can fix it later.
3264 Reader.PendingFakeDefinitionData.insert(
3265 std::make_pair(DD, ASTReader::PendingFakeDefinitionKind::Fake));
3266 }
3267
3268 return DD->Definition;
3269}
3270
3271/// Find the context in which we should search for previous declarations when
3272/// looking for declarations to merge.
3273DeclContext *ASTDeclReader::getPrimaryContextForMerging(ASTReader &Reader,
3274 DeclContext *DC) {
3275 if (auto *ND = dyn_cast<NamespaceDecl>(DC))
3276 return ND->getFirstDecl();
3277
3278 if (auto *RD = dyn_cast<CXXRecordDecl>(DC))
3279 return getOrFakePrimaryClassDefinition(Reader, RD);
3280
3281 if (auto *RD = dyn_cast<RecordDecl>(DC))
3282 return RD->getDefinition();
3283
3284 if (auto *ED = dyn_cast<EnumDecl>(DC))
3285 return ED->getDefinition();
3286
3287 if (auto *OID = dyn_cast<ObjCInterfaceDecl>(DC))
3288 return OID->getDefinition();
3289
3290 // We can see the TU here only if we have no Sema object. It is possible
3291 // we're in clang-repl so we still need to get the primary context.
3292 if (auto *TU = dyn_cast<TranslationUnitDecl>(DC))
3293 return TU->getPrimaryContext();
3294
3295 return nullptr;
3296}
3297
3298ASTDeclReader::FindExistingResult::~FindExistingResult() {
3299 // Record that we had a typedef name for linkage whether or not we merge
3300 // with that declaration.
3301 if (TypedefNameForLinkage) {
3302 DeclContext *DC = New->getDeclContext()->getRedeclContext();
3303 Reader.ImportedTypedefNamesForLinkage.insert(
3304 std::make_pair(std::make_pair(DC, TypedefNameForLinkage), New));
3305 return;
3306 }
3307
3308 if (!AddResult || Existing)
3309 return;
3310
3311 DeclarationName Name = New->getDeclName();
3312 DeclContext *DC = New->getDeclContext()->getRedeclContext();
3314 setAnonymousDeclForMerging(Reader, New->getLexicalDeclContext(),
3315 AnonymousDeclNumber, New);
3316 } else if (DC->isTranslationUnit() &&
3317 !Reader.getContext().getLangOpts().CPlusPlus) {
3318 if (Reader.getIdResolver().tryAddTopLevelDecl(New, Name))
3319 Reader.PendingFakeLookupResults[Name.getAsIdentifierInfo()]
3320 .push_back(New);
3321 } else if (DeclContext *MergeDC = getPrimaryContextForMerging(Reader, DC)) {
3322 // Add the declaration to its redeclaration context so later merging
3323 // lookups will find it.
3324 MergeDC->makeDeclVisibleInContextImpl(New, /*Internal*/true);
3325 }
3326}
3327
3328/// Find the declaration that should be merged into, given the declaration found
3329/// by name lookup. If we're merging an anonymous declaration within a typedef,
3330/// we need a matching typedef, and we merge with the type inside it.
3332 bool IsTypedefNameForLinkage) {
3333 if (!IsTypedefNameForLinkage)
3334 return Found;
3335
3336 // If we found a typedef declaration that gives a name to some other
3337 // declaration, then we want that inner declaration. Declarations from
3338 // AST files are handled via ImportedTypedefNamesForLinkage.
3339 if (Found->isFromASTFile())
3340 return nullptr;
3341
3342 if (auto *TND = dyn_cast<TypedefNameDecl>(Found))
3343 return TND->getAnonDeclWithTypedefName(/*AnyRedecl*/true);
3344
3345 return nullptr;
3346}
3347
3348/// Find the declaration to use to populate the anonymous declaration table
3349/// for the given lexical DeclContext. We only care about finding local
3350/// definitions of the context; we'll merge imported ones as we go.
3352ASTDeclReader::getPrimaryDCForAnonymousDecl(DeclContext *LexicalDC) {
3353 // For classes, we track the definition as we merge.
3354 if (auto *RD = dyn_cast<CXXRecordDecl>(LexicalDC)) {
3355 auto *DD = RD->getCanonicalDecl()->DefinitionData;
3356 return DD ? DD->Definition : nullptr;
3357 } else if (auto *OID = dyn_cast<ObjCInterfaceDecl>(LexicalDC)) {
3358 return OID->getCanonicalDecl()->getDefinition();
3359 }
3360
3361 // For anything else, walk its merged redeclarations looking for a definition.
3362 // Note that we can't just call getDefinition here because the redeclaration
3363 // chain isn't wired up.
3364 for (auto *D : merged_redecls(cast<Decl>(LexicalDC))) {
3365 if (auto *FD = dyn_cast<FunctionDecl>(D))
3366 if (FD->isThisDeclarationADefinition())
3367 return FD;
3368 if (auto *MD = dyn_cast<ObjCMethodDecl>(D))
3369 if (MD->isThisDeclarationADefinition())
3370 return MD;
3371 if (auto *RD = dyn_cast<RecordDecl>(D))
3373 return RD;
3374 }
3375
3376 // No merged definition yet.
3377 return nullptr;
3378}
3379
3380NamedDecl *ASTDeclReader::getAnonymousDeclForMerging(ASTReader &Reader,
3381 DeclContext *DC,
3382 unsigned Index) {
3383 // If the lexical context has been merged, look into the now-canonical
3384 // definition.
3385 auto *CanonDC = cast<Decl>(DC)->getCanonicalDecl();
3386
3387 // If we've seen this before, return the canonical declaration.
3388 auto &Previous = Reader.AnonymousDeclarationsForMerging[CanonDC];
3389 if (Index < Previous.size() && Previous[Index])
3390 return Previous[Index];
3391
3392 // If this is the first time, but we have parsed a declaration of the context,
3393 // build the anonymous declaration list from the parsed declaration.
3394 auto *PrimaryDC = getPrimaryDCForAnonymousDecl(DC);
3395 if (PrimaryDC && !cast<Decl>(PrimaryDC)->isFromASTFile()) {
3396 numberAnonymousDeclsWithin(PrimaryDC, [&](NamedDecl *ND, unsigned Number) {
3397 if (Previous.size() == Number)
3398 Previous.push_back(cast<NamedDecl>(ND->getCanonicalDecl()));
3399 else
3400 Previous[Number] = cast<NamedDecl>(ND->getCanonicalDecl());
3401 });
3402 }
3403
3404 return Index < Previous.size() ? Previous[Index] : nullptr;
3405}
3406
3407void ASTDeclReader::setAnonymousDeclForMerging(ASTReader &Reader,
3408 DeclContext *DC, unsigned Index,
3409 NamedDecl *D) {
3410 auto *CanonDC = cast<Decl>(DC)->getCanonicalDecl();
3411
3412 auto &Previous = Reader.AnonymousDeclarationsForMerging[CanonDC];
3413 if (Index >= Previous.size())
3414 Previous.resize(Index + 1);
3415 if (!Previous[Index])
3416 Previous[Index] = D;
3417}
3418
3419ASTDeclReader::FindExistingResult ASTDeclReader::findExisting(NamedDecl *D) {
3420 DeclarationName Name = TypedefNameForLinkage ? TypedefNameForLinkage
3421 : D->getDeclName();
3422
3423 if (!Name && !needsAnonymousDeclarationNumber(D)) {
3424 // Don't bother trying to find unnamed declarations that are in
3425 // unmergeable contexts.
3426 FindExistingResult Result(Reader, D, /*Existing=*/nullptr,
3427 AnonymousDeclNumber, TypedefNameForLinkage);
3428 Result.suppress();
3429 return Result;
3430 }
3431
3432 ASTContext &C = Reader.getContext();
3434 if (TypedefNameForLinkage) {
3435 auto It = Reader.ImportedTypedefNamesForLinkage.find(
3436 std::make_pair(DC, TypedefNameForLinkage));
3437 if (It != Reader.ImportedTypedefNamesForLinkage.end())
3438 if (C.isSameEntity(It->second, D))
3439 return FindExistingResult(Reader, D, It->second, AnonymousDeclNumber,
3440 TypedefNameForLinkage);
3441 // Go on to check in other places in case an existing typedef name
3442 // was not imported.
3443 }
3444
3446 // This is an anonymous declaration that we may need to merge. Look it up
3447 // in its context by number.
3448 if (auto *Existing = getAnonymousDeclForMerging(
3449 Reader, D->getLexicalDeclContext(), AnonymousDeclNumber))
3450 if (C.isSameEntity(Existing, D))
3451 return FindExistingResult(Reader, D, Existing, AnonymousDeclNumber,
3452 TypedefNameForLinkage);
3453 } else if (DC->isTranslationUnit() &&
3454 !Reader.getContext().getLangOpts().CPlusPlus) {
3455 IdentifierResolver &IdResolver = Reader.getIdResolver();
3456
3457 // Temporarily consider the identifier to be up-to-date. We don't want to
3458 // cause additional lookups here.
3459 class UpToDateIdentifierRAII {
3460 IdentifierInfo *II;
3461 bool WasOutToDate = false;
3462
3463 public:
3464 explicit UpToDateIdentifierRAII(IdentifierInfo *II) : II(II) {
3465 if (II) {
3466 WasOutToDate = II->isOutOfDate();
3467 if (WasOutToDate)
3468 II->setOutOfDate(false);
3469 }
3470 }
3471
3472 ~UpToDateIdentifierRAII() {
3473 if (WasOutToDate)
3474 II->setOutOfDate(true);
3475 }
3476 } UpToDate(Name.getAsIdentifierInfo());
3477
3478 for (IdentifierResolver::iterator I = IdResolver.begin(Name),
3479 IEnd = IdResolver.end();
3480 I != IEnd; ++I) {
3481 if (NamedDecl *Existing = getDeclForMerging(*I, TypedefNameForLinkage))
3482 if (C.isSameEntity(Existing, D))
3483 return FindExistingResult(Reader, D, Existing, AnonymousDeclNumber,
3484 TypedefNameForLinkage);
3485 }
3486 } else if (DeclContext *MergeDC = getPrimaryContextForMerging(Reader, DC)) {
3487 DeclContext::lookup_result R = MergeDC->noload_lookup(Name);
3488 for (DeclContext::lookup_iterator I = R.begin(), E = R.end(); I != E; ++I) {
3489 if (NamedDecl *Existing = getDeclForMerging(*I, TypedefNameForLinkage))
3490 if (C.isSameEntity(Existing, D))
3491 return FindExistingResult(Reader, D, Existing, AnonymousDeclNumber,
3492 TypedefNameForLinkage);
3493 }
3494 } else {
3495 // Not in a mergeable context.
3496 return FindExistingResult(Reader);
3497 }
3498
3499 // If this declaration is from a merged context, make a note that we need to
3500 // check that the canonical definition of that context contains the decl.
3501 //
3502 // Note that we don't perform ODR checks for decls from the global module
3503 // fragment.
3504 //
3505 // FIXME: We should do something similar if we merge two definitions of the
3506 // same template specialization into the same CXXRecordDecl.
3507 auto MergedDCIt = Reader.MergedDeclContexts.find(D->getLexicalDeclContext());
3508 if (MergedDCIt != Reader.MergedDeclContexts.end() &&
3509 !shouldSkipCheckingODR(D) && MergedDCIt->second == D->getDeclContext() &&
3510 !shouldSkipCheckingODR(cast<Decl>(D->getDeclContext())))
3511 Reader.PendingOdrMergeChecks.push_back(D);
3512
3513 return FindExistingResult(Reader, D, /*Existing=*/nullptr,
3514 AnonymousDeclNumber, TypedefNameForLinkage);
3515}
3516
3517template<typename DeclT>
3519 return D->RedeclLink.getLatestNotUpdated();
3520}
3521
3523 llvm_unreachable("getMostRecentDecl on non-redeclarable declaration");
3524}
3525
3527 assert(D);
3528
3529 switch (D->getKind()) {
3530#define ABSTRACT_DECL(TYPE)
3531#define DECL(TYPE, BASE) \
3532 case Decl::TYPE: \
3533 return getMostRecentDeclImpl(cast<TYPE##Decl>(D));
3534#include "clang/AST/DeclNodes.inc"
3535 }
3536 llvm_unreachable("unknown decl kind");
3537}
3538
3539Decl *ASTReader::getMostRecentExistingDecl(Decl *D) {
3541}
3542
3543namespace {
3544void mergeInheritableAttributes(ASTReader &Reader, Decl *D, Decl *Previous) {
3545 InheritableAttr *NewAttr = nullptr;
3546 ASTContext &Context = Reader.getContext();
3547 const auto *IA = Previous->getAttr<MSInheritanceAttr>();
3548
3549 if (IA && !D->hasAttr<MSInheritanceAttr>()) {
3550 NewAttr = cast<InheritableAttr>(IA->clone(Context));
3551 NewAttr->setInherited(true);
3552 D->addAttr(NewAttr);
3553 }
3554
3555 const auto *AA = Previous->getAttr<AvailabilityAttr>();
3556 if (AA && !D->hasAttr<AvailabilityAttr>()) {
3557 NewAttr = AA->clone(Context);
3558 NewAttr->setInherited(true);
3559 D->addAttr(NewAttr);
3560 }
3561}
3562} // namespace
3563
3564template<typename DeclT>
3567 Decl *Previous, Decl *Canon) {
3568 D->RedeclLink.setPrevious(cast<DeclT>(Previous));
3569 D->First = cast<DeclT>(Previous)->First;
3570}
3571
3572namespace clang {
3573
3574template<>
3577 Decl *Previous, Decl *Canon) {
3578 auto *VD = static_cast<VarDecl *>(D);
3579 auto *PrevVD = cast<VarDecl>(Previous);
3580 D->RedeclLink.setPrevious(PrevVD);
3581 D->First = PrevVD->First;
3582
3583 // We should keep at most one definition on the chain.
3584 // FIXME: Cache the definition once we've found it. Building a chain with
3585 // N definitions currently takes O(N^2) time here.
3586 if (VD->isThisDeclarationADefinition() == VarDecl::Definition) {
3587 for (VarDecl *CurD = PrevVD; CurD; CurD = CurD->getPreviousDecl()) {
3588 if (CurD->isThisDeclarationADefinition() == VarDecl::Definition) {
3589 Reader.mergeDefinitionVisibility(CurD, VD);
3590 VD->demoteThisDefinitionToDeclaration();
3591 break;
3592 }
3593 }
3594 }
3595}
3596
3598 auto *DT = T->getContainedDeducedType();
3599 return DT && !DT->isDeduced();
3600}
3601
3602template<>
3605 Decl *Previous, Decl *Canon) {
3606 auto *FD = static_cast<FunctionDecl *>(D);
3607 auto *PrevFD = cast<FunctionDecl>(Previous);
3608
3609 FD->RedeclLink.setPrevious(PrevFD);
3610 FD->First = PrevFD->First;
3611
3612 // If the previous declaration is an inline function declaration, then this
3613 // declaration is too.
3614 if (PrevFD->isInlined() != FD->isInlined()) {
3615 // FIXME: [dcl.fct.spec]p4:
3616 // If a function with external linkage is declared inline in one
3617 // translation unit, it shall be declared inline in all translation
3618 // units in which it appears.
3619 //
3620 // Be careful of this case:
3621 //
3622 // module A:
3623 // template<typename T> struct X { void f(); };
3624 // template<typename T> inline void X<T>::f() {}
3625 //
3626 // module B instantiates the declaration of X<int>::f
3627 // module C instantiates the definition of X<int>::f
3628 //
3629 // If module B and C are merged, we do not have a violation of this rule.
3630 FD->setImplicitlyInline(true);
3631 }
3632
3633 auto *FPT = FD->getType()->getAs<FunctionProtoType>();
3634 auto *PrevFPT = PrevFD->getType()->getAs<FunctionProtoType>();
3635 if (FPT && PrevFPT) {
3636 // If we need to propagate an exception specification along the redecl
3637 // chain, make a note of that so that we can do so later.
3638 bool IsUnresolved = isUnresolvedExceptionSpec(FPT->getExceptionSpecType());
3639 bool WasUnresolved =
3641 if (IsUnresolved != WasUnresolved)
3642 Reader.PendingExceptionSpecUpdates.insert(
3643 {Canon, IsUnresolved ? PrevFD : FD});
3644
3645 // If we need to propagate a deduced return type along the redecl chain,
3646 // make a note of that so that we can do it later.
3647 bool IsUndeduced = isUndeducedReturnType(FPT->getReturnType());
3648 bool WasUndeduced = isUndeducedReturnType(PrevFPT->getReturnType());
3649 if (IsUndeduced != WasUndeduced)
3650 Reader.PendingDeducedTypeUpdates.insert(
3651 {cast<FunctionDecl>(Canon),
3652 (IsUndeduced ? PrevFPT : FPT)->getReturnType()});
3653 }
3654}
3655
3656} // namespace clang
3657
3659 llvm_unreachable("attachPreviousDecl on non-redeclarable declaration");
3660}
3661
3662/// Inherit the default template argument from \p From to \p To. Returns
3663/// \c false if there is no default template for \p From.
3664template <typename ParmDecl>
3665static bool inheritDefaultTemplateArgument(ASTContext &Context, ParmDecl *From,
3666 Decl *ToD) {
3667 auto *To = cast<ParmDecl>(ToD);
3668 if (!From->hasDefaultArgument())
3669 return false;
3670 To->setInheritedDefaultArgument(Context, From);
3671 return true;
3672}
3673
3675 TemplateDecl *From,
3676 TemplateDecl *To) {
3677 auto *FromTP = From->getTemplateParameters();
3678 auto *ToTP = To->getTemplateParameters();
3679 assert(FromTP->size() == ToTP->size() && "merged mismatched templates?");
3680
3681 for (unsigned I = 0, N = FromTP->size(); I != N; ++I) {
3682 NamedDecl *FromParam = FromTP->getParam(I);
3683 NamedDecl *ToParam = ToTP->getParam(I);
3684
3685 if (auto *FTTP = dyn_cast<TemplateTypeParmDecl>(FromParam))
3686 inheritDefaultTemplateArgument(Context, FTTP, ToParam);
3687 else if (auto *FNTTP = dyn_cast<NonTypeTemplateParmDecl>(FromParam))
3688 inheritDefaultTemplateArgument(Context, FNTTP, ToParam);
3689 else
3691 Context, cast<TemplateTemplateParmDecl>(FromParam), ToParam);
3692 }
3693}
3694
3695// [basic.link]/p10:
3696// If two declarations of an entity are attached to different modules,
3697// the program is ill-formed;
3699 Decl *D,
3700 Decl *Previous) {
3701 // If it is previous implcitly introduced, it is not meaningful to
3702 // diagnose it.
3703 if (Previous->isImplicit())
3704 return;
3705
3706 // FIXME: Get rid of the enumeration of decl types once we have an appropriate
3707 // abstract for decls of an entity. e.g., the namespace decl and using decl
3708 // doesn't introduce an entity.
3709 if (!isa<VarDecl, FunctionDecl, TagDecl, RedeclarableTemplateDecl>(Previous))
3710 return;
3711
3712 // Skip implicit instantiations since it may give false positive diagnostic
3713 // messages.
3714 // FIXME: Maybe this shows the implicit instantiations may have incorrect
3715 // module owner ships. But given we've finished the compilation of a module,
3716 // how can we add new entities to that module?
3717 if (isa<VarTemplateSpecializationDecl>(Previous))
3718 return;
3719 if (isa<ClassTemplateSpecializationDecl>(Previous))
3720 return;
3721 if (auto *Func = dyn_cast<FunctionDecl>(Previous);
3722 Func && Func->getTemplateSpecializationInfo())
3723 return;
3724
3725 Module *M = Previous->getOwningModule();
3726 if (!M)
3727 return;
3728
3729 // We only forbids merging decls within named modules.
3730 if (!M->isNamedModule()) {
3731 // Try to warn the case that we merged decls from global module.
3732 if (!M->isGlobalModule())
3733 return;
3734
3735 if (D->getOwningModule() &&
3737 return;
3738
3739 Reader.PendingWarningForDuplicatedDefsInModuleUnits.push_back(
3740 {D, Previous});
3741 return;
3742 }
3743
3744 // It is fine if they are in the same module.
3745 if (Reader.getContext().isInSameModule(M, D->getOwningModule()))
3746 return;
3747
3748 Reader.Diag(Previous->getLocation(),
3749 diag::err_multiple_decl_in_different_modules)
3750 << cast<NamedDecl>(Previous) << M->Name;
3751 Reader.Diag(D->getLocation(), diag::note_also_found);
3752}
3753
3755 Decl *Previous, Decl *Canon) {
3756 assert(D && Previous);
3757
3758 switch (D->getKind()) {
3759#define ABSTRACT_DECL(TYPE)
3760#define DECL(TYPE, BASE) \
3761 case Decl::TYPE: \
3762 attachPreviousDeclImpl(Reader, cast<TYPE##Decl>(D), Previous, Canon); \
3763 break;
3764#include "clang/AST/DeclNodes.inc"
3765 }
3766
3768
3769 // If the declaration was visible in one module, a redeclaration of it in
3770 // another module remains visible even if it wouldn't be visible by itself.
3771 //
3772 // FIXME: In this case, the declaration should only be visible if a module
3773 // that makes it visible has been imported.
3775 Previous->IdentifierNamespace &
3777
3778 // If the declaration declares a template, it may inherit default arguments
3779 // from the previous declaration.
3780 if (auto *TD = dyn_cast<TemplateDecl>(D))
3782 cast<TemplateDecl>(Previous), TD);
3783
3784 // If any of the declaration in the chain contains an Inheritable attribute,
3785 // it needs to be added to all the declarations in the redeclarable chain.
3786 // FIXME: Only the logic of merging MSInheritableAttr is present, it should
3787 // be extended for all inheritable attributes.
3788 mergeInheritableAttributes(Reader, D, Previous);
3789}
3790
3791template<typename DeclT>
3793 D->RedeclLink.setLatest(cast<DeclT>(Latest));
3794}
3795
3797 llvm_unreachable("attachLatestDecl on non-redeclarable declaration");
3798}
3799
3801 assert(D && Latest);
3802
3803 switch (D->getKind()) {
3804#define ABSTRACT_DECL(TYPE)
3805#define DECL(TYPE, BASE) \
3806 case Decl::TYPE: \
3807 attachLatestDeclImpl(cast<TYPE##Decl>(D), Latest); \
3808 break;
3809#include "clang/AST/DeclNodes.inc"
3810 }
3811}
3812
3813template<typename DeclT>
3815 D->RedeclLink.markIncomplete();
3816}
3817
3819 llvm_unreachable("markIncompleteDeclChain on non-redeclarable declaration");
3820}
3821
3822void ASTReader::markIncompleteDeclChain(Decl *D) {
3823 switch (D->getKind()) {
3824#define ABSTRACT_DECL(TYPE)
3825#define DECL(TYPE, BASE) \
3826 case Decl::TYPE: \
3827 ASTDeclReader::markIncompleteDeclChainImpl(cast<TYPE##Decl>(D)); \
3828 break;
3829#include "clang/AST/DeclNodes.inc"
3830 }
3831}
3832
3833/// Read the declaration at the given offset from the AST file.
3834Decl *ASTReader::ReadDeclRecord(GlobalDeclID ID) {
3835 SourceLocation DeclLoc;
3836 RecordLocation Loc = DeclCursorForID(ID, DeclLoc);
3837 llvm::BitstreamCursor &DeclsCursor = Loc.F->DeclsCursor;
3838 // Keep track of where we are in the stream, then jump back there
3839 // after reading this declaration.
3840 SavedStreamPosition SavedPosition(DeclsCursor);
3841
3842 ReadingKindTracker ReadingKind(Read_Decl, *this);
3843
3844 // Note that we are loading a declaration record.
3845 Deserializing ADecl(this);
3846
3847 auto Fail = [](const char *what, llvm::Error &&Err) {
3848 llvm::report_fatal_error(Twine("ASTReader::readDeclRecord failed ") + what +
3849 ": " + toString(std::move(Err)));
3850 };
3851
3852 if (llvm::Error JumpFailed = DeclsCursor.JumpToBit(Loc.Offset))
3853 Fail("jumping", std::move(JumpFailed));
3854 ASTRecordReader Record(*this, *Loc.F);
3855 ASTDeclReader Reader(*this, Record, Loc, ID, DeclLoc);
3856 Expected<unsigned> MaybeCode = DeclsCursor.ReadCode();
3857 if (!MaybeCode)
3858 Fail("reading code", MaybeCode.takeError());
3859 unsigned Code = MaybeCode.get();
3860
3861 ASTContext &Context = getContext();
3862 Decl *D = nullptr;
3863 Expected<unsigned> MaybeDeclCode = Record.readRecord(DeclsCursor, Code);
3864 if (!MaybeDeclCode)
3865 llvm::report_fatal_error(
3866 Twine("ASTReader::readDeclRecord failed reading decl code: ") +
3867 toString(MaybeDeclCode.takeError()));
3868
3869 switch ((DeclCode)MaybeDeclCode.get()) {
3874 llvm_unreachable("Record cannot be de-serialized with readDeclRecord");
3875 case DECL_TYPEDEF:
3876 D = TypedefDecl::CreateDeserialized(Context, ID);
3877 break;
3878 case DECL_TYPEALIAS:
3879 D = TypeAliasDecl::CreateDeserialized(Context, ID);
3880 break;
3881 case DECL_ENUM:
3882 D = EnumDecl::CreateDeserialized(Context, ID);
3883 break;
3884 case DECL_RECORD:
3885 D = RecordDecl::CreateDeserialized(Context, ID);
3886 break;
3887 case DECL_ENUM_CONSTANT:
3889 break;
3890 case DECL_FUNCTION:
3891 D = FunctionDecl::CreateDeserialized(Context, ID);
3892 break;
3893 case DECL_LINKAGE_SPEC:
3895 break;
3896 case DECL_EXPORT:
3897 D = ExportDecl::CreateDeserialized(Context, ID);
3898 break;
3899 case DECL_LABEL:
3900 D = LabelDecl::CreateDeserialized(Context, ID);
3901 break;
3902 case DECL_NAMESPACE:
3903 D = NamespaceDecl::CreateDeserialized(Context, ID);
3904 break;
3907 break;
3908 case DECL_USING:
3909 D = UsingDecl::CreateDeserialized(Context, ID);
3910 break;
3911 case DECL_USING_PACK:
3912 D = UsingPackDecl::CreateDeserialized(Context, ID, Record.readInt());
3913 break;
3914 case DECL_USING_SHADOW:
3916 break;
3917 case DECL_USING_ENUM:
3918 D = UsingEnumDecl::CreateDeserialized(Context, ID);
3919 break;
3922 break;
3925 break;
3928 break;
3931 break;
3934 break;
3935 case DECL_CXX_RECORD:
3936 D = CXXRecordDecl::CreateDeserialized(Context, ID);
3937 break;
3940 break;
3941 case DECL_CXX_METHOD:
3942 D = CXXMethodDecl::CreateDeserialized(Context, ID);
3943 break;
3945 D = CXXConstructorDecl::CreateDeserialized(Context, ID, Record.readInt());
3946 break;
3949 break;
3952 break;
3953 case DECL_ACCESS_SPEC:
3955 break;
3956 case DECL_FRIEND:
3957 D = FriendDecl::CreateDeserialized(Context, ID, Record.readInt());
3958 break;
3961 break;
3964 break;
3967 break;
3970 break;
3971 case DECL_VAR_TEMPLATE:
3973 break;
3976 break;
3979 break;
3982 break;
3984 bool HasTypeConstraint = Record.readInt();
3986 HasTypeConstraint);
3987 break;
3988 }
3990 bool HasTypeConstraint = Record.readInt();
3992 HasTypeConstraint);
3993 break;
3994 }
3996 bool HasTypeConstraint = Record.readInt();
3998 Context, ID, Record.readInt(), HasTypeConstraint);
3999 break;
4000 }
4003 break;
4006 Record.readInt());
4007 break;
4010 break;
4011 case DECL_CONCEPT:
4012 D = ConceptDecl::CreateDeserialized(Context, ID);
4013 break;
4016 break;
4017 case DECL_STATIC_ASSERT:
4019 break;
4020 case DECL_OBJC_METHOD:
4022 break;
4025 break;
4026 case DECL_OBJC_IVAR:
4027 D = ObjCIvarDecl::CreateDeserialized(Context, ID);
4028 break;
4029 case DECL_OBJC_PROTOCOL:
4031 break;
4034 break;
4035 case DECL_OBJC_CATEGORY:
4037 break;
4040 break;
4043 break;
4046 break;
4047 case DECL_OBJC_PROPERTY:
4049 break;
4052 break;
4053 case DECL_FIELD:
4054 D = FieldDecl::CreateDeserialized(Context, ID);
4055 break;
4056 case DECL_INDIRECTFIELD:
4058 break;
4059 case DECL_VAR:
4060 D = VarDecl::CreateDeserialized(Context, ID);
4061 break;
4064 break;
4065 case DECL_PARM_VAR:
4066 D = ParmVarDecl::CreateDeserialized(Context, ID);
4067 break;
4068 case DECL_DECOMPOSITION:
4069 D = DecompositionDecl::CreateDeserialized(Context, ID, Record.readInt());
4070 break;
4071 case DECL_BINDING:
4072 D = BindingDecl::CreateDeserialized(Context, ID);
4073 break;
4076 break;
4079 break;
4080 case DECL_BLOCK:
4081 D = BlockDecl::CreateDeserialized(Context, ID);
4082 break;
4083 case DECL_MS_PROPERTY:
4085 break;
4086 case DECL_MS_GUID:
4087 D = MSGuidDecl::CreateDeserialized(Context, ID);
4088 break;
4090 D = UnnamedGlobalConstantDecl::CreateDeserialized(Context, ID);
4091 break;
4093 D = TemplateParamObjectDecl::CreateDeserialized(Context, ID);
4094 break;
4095 case DECL_CAPTURED:
4096 D = CapturedDecl::CreateDeserialized(Context, ID, Record.readInt());
4097 break;
4099 Error("attempt to read a C++ base-specifier record as a declaration");
4100 return nullptr;
4102 Error("attempt to read a C++ ctor initializer record as a declaration");
4103 return nullptr;
4104 case DECL_IMPORT:
4105 // Note: last entry of the ImportDecl record is the number of stored source
4106 // locations.
4107 D = ImportDecl::CreateDeserialized(Context, ID, Record.back());
4108 break;
4110 Record.skipInts(1);
4111 unsigned NumChildren = Record.readInt();
4112 Record.skipInts(1);
4113 D = OMPThreadPrivateDecl::CreateDeserialized(Context, ID, NumChildren);
4114 break;
4115 }
4116 case DECL_OMP_ALLOCATE: {
4117 unsigned NumClauses = Record.readInt();
4118 unsigned NumVars = Record.readInt();
4119 Record.skipInts(1);
4120 D = OMPAllocateDecl::CreateDeserialized(Context, ID, NumVars, NumClauses);
4121 break;
4122 }
4123 case DECL_OMP_REQUIRES: {
4124 unsigned NumClauses = Record.readInt();
4125 Record.skipInts(2);
4126 D = OMPRequiresDecl::CreateDeserialized(Context, ID, NumClauses);
4127 break;
4128 }
4131 break;
4133 unsigned NumClauses = Record.readInt();
4134 Record.skipInts(2);
4135 D = OMPDeclareMapperDecl::CreateDeserialized(Context, ID, NumClauses);
4136 break;
4137 }
4140 break;
4142 D = PragmaCommentDecl::CreateDeserialized(Context, ID, Record.readInt());
4143 break;
4146 Record.readInt());
4147 break;
4148 case DECL_EMPTY:
4149 D = EmptyDecl::CreateDeserialized(Context, ID);
4150 break;
4153 break;
4156 break;
4157 case DECL_HLSL_BUFFER:
4159 break;
4162 Record.readInt());
4163 break;
4164 }
4165
4166 assert(D && "Unknown declaration reading AST file");
4167 LoadedDecl(translateGlobalDeclIDToIndex(ID), D);
4168 // Set the DeclContext before doing any deserialization, to make sure internal
4169 // calls to Decl::getASTContext() by Decl's methods will find the
4170 // TranslationUnitDecl without crashing.
4172
4173 // Reading some declarations can result in deep recursion.
4174 runWithSufficientStackSpace(DeclLoc, [&] { Reader.Visit(D); });
4175
4176 // If this declaration is also a declaration context, get the
4177 // offsets for its tables of lexical and visible declarations.
4178 if (auto *DC = dyn_cast<DeclContext>(D)) {
4179 std::pair<uint64_t, uint64_t> Offsets = Reader.VisitDeclContext(DC);
4180
4181 // Get the lexical and visible block for the delayed namespace.
4182 // It is sufficient to judge if ID is in DelayedNamespaceOffsetMap.
4183 // But it may be more efficient to filter the other cases.
4184 if (!Offsets.first && !Offsets.second && isa<NamespaceDecl>(D))
4185 if (auto Iter = DelayedNamespaceOffsetMap.find(ID);
4186 Iter != DelayedNamespaceOffsetMap.end())
4187 Offsets = Iter->second;
4188
4189 if (Offsets.first &&
4190 ReadLexicalDeclContextStorage(*Loc.F, DeclsCursor, Offsets.first, DC))
4191 return nullptr;
4192 if (Offsets.second &&
4193 ReadVisibleDeclContextStorage(*Loc.F, DeclsCursor, Offsets.second, ID))
4194 return nullptr;
4195 }
4196 assert(Record.getIdx() == Record.size());
4197
4198 // Load any relevant update records.
4199 PendingUpdateRecords.push_back(
4200 PendingUpdateRecord(ID, D, /*JustLoaded=*/true));
4201
4202 // Load the categories after recursive loading is finished.
4203 if (auto *Class = dyn_cast<ObjCInterfaceDecl>(D))
4204 // If we already have a definition when deserializing the ObjCInterfaceDecl,
4205 // we put the Decl in PendingDefinitions so we can pull the categories here.
4206 if (Class->isThisDeclarationADefinition() ||
4207 PendingDefinitions.count(Class))
4208 loadObjCCategories(ID, Class);
4209
4210 // If we have deserialized a declaration that has a definition the
4211 // AST consumer might need to know about, queue it.
4212 // We don't pass it to the consumer immediately because we may be in recursive
4213 // loading, and some declarations may still be initializing.
4214 PotentiallyInterestingDecls.push_back(D);
4215
4216 return D;
4217}
4218
4219void ASTReader::PassInterestingDeclsToConsumer() {
4220 assert(Consumer);
4221
4222 if (PassingDeclsToConsumer)
4223 return;
4224
4225 // Guard variable to avoid recursively redoing the process of passing
4226 // decls to consumer.
4227 SaveAndRestore GuardPassingDeclsToConsumer(PassingDeclsToConsumer, true);
4228
4229 // Ensure that we've loaded all potentially-interesting declarations
4230 // that need to be eagerly loaded.
4231 for (auto ID : EagerlyDeserializedDecls)
4232 GetDecl(ID);
4233 EagerlyDeserializedDecls.clear();
4234
4235 auto ConsumingPotentialInterestingDecls = [this]() {
4236 while (!PotentiallyInterestingDecls.empty()) {
4237 Decl *D = PotentiallyInterestingDecls.front();
4238 PotentiallyInterestingDecls.pop_front();
4239 if (isConsumerInterestedIn(D))
4240 PassInterestingDeclToConsumer(D);
4241 }
4242 };
4243 std::deque<Decl *> MaybeInterestingDecls =
4244 std::move(PotentiallyInterestingDecls);
4245 PotentiallyInterestingDecls.clear();
4246 assert(PotentiallyInterestingDecls.empty());
4247 while (!MaybeInterestingDecls.empty()) {
4248 Decl *D = MaybeInterestingDecls.front();
4249 MaybeInterestingDecls.pop_front();
4250 // Since we load the variable's initializers lazily, it'd be problematic
4251 // if the initializers dependent on each other. So here we try to load the
4252 // initializers of static variables to make sure they are passed to code
4253 // generator by order. If we read anything interesting, we would consume
4254 // that before emitting the current declaration.
4255 if (auto *VD = dyn_cast<VarDecl>(D);
4256 VD && VD->isFileVarDecl() && !VD->isExternallyVisible())
4257 VD->getInit();
4258 ConsumingPotentialInterestingDecls();
4259 if (isConsumerInterestedIn(D))
4260 PassInterestingDeclToConsumer(D);
4261 }
4262
4263 // If we add any new potential interesting decl in the last call, consume it.
4264 ConsumingPotentialInterestingDecls();
4265
4266 for (GlobalDeclID ID : VTablesToEmit) {
4267 auto *RD = cast<CXXRecordDecl>(GetDecl(ID));
4268 assert(!RD->shouldEmitInExternalSource());
4269 PassVTableToConsumer(RD);
4270 }
4271 VTablesToEmit.clear();
4272}
4273
4274void ASTReader::loadDeclUpdateRecords(PendingUpdateRecord &Record) {
4275 // The declaration may have been modified by files later in the chain.
4276 // If this is the case, read the record containing the updates from each file
4277 // and pass it to ASTDeclReader to make the modifications.
4278 GlobalDeclID ID = Record.ID;
4279 Decl *D = Record.D;
4280 ProcessingUpdatesRAIIObj ProcessingUpdates(*this);
4281 DeclUpdateOffsetsMap::iterator UpdI = DeclUpdateOffsets.find(ID);
4282
4283 if (UpdI != DeclUpdateOffsets.end()) {
4284 auto UpdateOffsets = std::move(UpdI->second);
4285 DeclUpdateOffsets.erase(UpdI);
4286
4287 // Check if this decl was interesting to the consumer. If we just loaded
4288 // the declaration, then we know it was interesting and we skip the call
4289 // to isConsumerInterestedIn because it is unsafe to call in the
4290 // current ASTReader state.
4291 bool WasInteresting = Record.JustLoaded || isConsumerInterestedIn(D);
4292 for (auto &FileAndOffset : UpdateOffsets) {
4293 ModuleFile *F = FileAndOffset.first;
4294 uint64_t Offset = FileAndOffset.second;
4295 llvm::BitstreamCursor &Cursor = F->DeclsCursor;
4296 SavedStreamPosition SavedPosition(Cursor);
4297 if (llvm::Error JumpFailed = Cursor.JumpToBit(Offset))
4298 // FIXME don't do a fatal error.
4299 llvm::report_fatal_error(
4300 Twine("ASTReader::loadDeclUpdateRecords failed jumping: ") +
4301 toString(std::move(JumpFailed)));
4302 Expected<unsigned> MaybeCode = Cursor.ReadCode();
4303 if (!MaybeCode)
4304 llvm::report_fatal_error(
4305 Twine("ASTReader::loadDeclUpdateRecords failed reading code: ") +
4306 toString(MaybeCode.takeError()));
4307 unsigned Code = MaybeCode.get();
4308 ASTRecordReader Record(*this, *F);
4309 if (Expected<unsigned> MaybeRecCode = Record.readRecord(Cursor, Code))
4310 assert(MaybeRecCode.get() == DECL_UPDATES &&
4311 "Expected DECL_UPDATES record!");
4312 else
4313 llvm::report_fatal_error(
4314 Twine("ASTReader::loadDeclUpdateRecords failed reading rec code: ") +
4315 toString(MaybeCode.takeError()));
4316
4317 ASTDeclReader Reader(*this, Record, RecordLocation(F, Offset), ID,
4318 SourceLocation());
4319 Reader.UpdateDecl(D);
4320
4321 // We might have made this declaration interesting. If so, remember that
4322 // we need to hand it off to the consumer.
4323 if (!WasInteresting && isConsumerInterestedIn(D)) {
4324 PotentiallyInterestingDecls.push_back(D);
4325 WasInteresting = true;
4326 }
4327 }
4328 }
4329
4330 // Load the pending visible updates for this decl context, if it has any.
4331 auto I = PendingVisibleUpdates.find(ID);
4332 if (I != PendingVisibleUpdates.end()) {
4333 auto VisibleUpdates = std::move(I->second);
4334 PendingVisibleUpdates.erase(I);
4335
4336 auto *DC = cast<DeclContext>(D)->getPrimaryContext();
4337 for (const auto &Update : VisibleUpdates)
4338 Lookups[DC].Table.add(
4339 Update.Mod, Update.Data,
4342 }
4343
4344 // Load any pending related decls.
4345 if (D->isCanonicalDecl()) {
4346 if (auto IT = RelatedDeclsMap.find(ID); IT != RelatedDeclsMap.end()) {
4347 for (auto LID : IT->second)
4348 GetDecl(LID);
4349 RelatedDeclsMap.erase(IT);
4350 }
4351 }
4352
4353 // Load the pending specializations update for this decl, if it has any.
4354 if (auto I = PendingSpecializationsUpdates.find(ID);
4355 I != PendingSpecializationsUpdates.end()) {
4356 auto SpecializationUpdates = std::move(I->second);
4357 PendingSpecializationsUpdates.erase(I);
4358
4359 for (const auto &Update : SpecializationUpdates)
4360 AddSpecializations(D, Update.Data, *Update.Mod, /*IsPartial=*/false);
4361 }
4362
4363 // Load the pending specializations update for this decl, if it has any.
4364 if (auto I = PendingPartialSpecializationsUpdates.find(ID);
4365 I != PendingPartialSpecializationsUpdates.end()) {
4366 auto SpecializationUpdates = std::move(I->second);
4367 PendingPartialSpecializationsUpdates.erase(I);
4368
4369 for (const auto &Update : SpecializationUpdates)
4370 AddSpecializations(D, Update.Data, *Update.Mod, /*IsPartial=*/true);
4371 }
4372}
4373
4374void ASTReader::loadPendingDeclChain(Decl *FirstLocal, uint64_t LocalOffset) {
4375 // Attach FirstLocal to the end of the decl chain.
4376 Decl *CanonDecl = FirstLocal->getCanonicalDecl();
4377 if (FirstLocal != CanonDecl) {
4378 Decl *PrevMostRecent = ASTDeclReader::getMostRecentDecl(CanonDecl);
4380 *this, FirstLocal, PrevMostRecent ? PrevMostRecent : CanonDecl,
4381 CanonDecl);
4382 }
4383
4384 if (!LocalOffset) {
4385 ASTDeclReader::attachLatestDecl(CanonDecl, FirstLocal);
4386 return;
4387 }
4388
4389 // Load the list of other redeclarations from this module file.
4390 ModuleFile *M = getOwningModuleFile(FirstLocal);
4391 assert(M && "imported decl from no module file");
4392
4393 llvm::BitstreamCursor &Cursor = M->DeclsCursor;
4394 SavedStreamPosition SavedPosition(Cursor);
4395 if (llvm::Error JumpFailed = Cursor.JumpToBit(LocalOffset))
4396 llvm::report_fatal_error(
4397 Twine("ASTReader::loadPendingDeclChain failed jumping: ") +
4398 toString(std::move(JumpFailed)));
4399
4401 Expected<unsigned> MaybeCode = Cursor.ReadCode();
4402 if (!MaybeCode)
4403 llvm::report_fatal_error(
4404 Twine("ASTReader::loadPendingDeclChain failed reading code: ") +
4405 toString(MaybeCode.takeError()));
4406 unsigned Code = MaybeCode.get();
4407 if (Expected<unsigned> MaybeRecCode = Cursor.readRecord(Code, Record))
4408 assert(MaybeRecCode.get() == LOCAL_REDECLARATIONS &&
4409 "expected LOCAL_REDECLARATIONS record!");
4410 else
4411 llvm::report_fatal_error(
4412 Twine("ASTReader::loadPendingDeclChain failed reading rec code: ") +
4413 toString(MaybeCode.takeError()));
4414
4415 // FIXME: We have several different dispatches on decl kind here; maybe
4416 // we should instead generate one loop per kind and dispatch up-front?
4417 Decl *MostRecent = FirstLocal;
4418 for (unsigned I = 0, N = Record.size(); I != N; ++I) {
4419 unsigned Idx = N - I - 1;
4420 auto *D = ReadDecl(*M, Record, Idx);
4421 ASTDeclReader::attachPreviousDecl(*this, D, MostRecent, CanonDecl);
4422 MostRecent = D;
4423 }
4424 ASTDeclReader::attachLatestDecl(CanonDecl, MostRecent);
4425}
4426
4427namespace {
4428
4429 /// Given an ObjC interface, goes through the modules and links to the
4430 /// interface all the categories for it.
4431 class ObjCCategoriesVisitor {
4432 ASTReader &Reader;
4434 llvm::SmallPtrSetImpl<ObjCCategoryDecl *> &Deserialized;
4435 ObjCCategoryDecl *Tail = nullptr;
4436 llvm::DenseMap<DeclarationName, ObjCCategoryDecl *> NameCategoryMap;
4437 GlobalDeclID InterfaceID;
4438 unsigned PreviousGeneration;
4439
4440 void add(ObjCCategoryDecl *Cat) {
4441 // Only process each category once.
4442 if (!Deserialized.erase(Cat))
4443 return;
4444
4445 // Check for duplicate categories.
4446 if (Cat->getDeclName()) {
4447 ObjCCategoryDecl *&Existing = NameCategoryMap[Cat->getDeclName()];
4448 if (Existing && Reader.getOwningModuleFile(Existing) !=
4449 Reader.getOwningModuleFile(Cat)) {
4452 Cat->getASTContext(), Existing->getASTContext(),
4453 NonEquivalentDecls, StructuralEquivalenceKind::Default,
4454 /*StrictTypeSpelling =*/false,
4455 /*Complain =*/false,
4456 /*ErrorOnTagTypeMismatch =*/true);
4457 if (!Ctx.IsEquivalent(Cat, Existing)) {
4458 // Warn only if the categories with the same name are different.
4459 Reader.Diag(Cat->getLocation(), diag::warn_dup_category_def)
4460 << Interface->getDeclName() << Cat->getDeclName();
4461 Reader.Diag(Existing->getLocation(),
4462 diag::note_previous_definition);
4463 }
4464 } else if (!Existing) {
4465 // Record this category.
4466 Existing = Cat;
4467 }
4468 }
4469
4470 // Add this category to the end of the chain.
4471 if (Tail)
4473 else
4474 Interface->setCategoryListRaw(Cat);
4475 Tail = Cat;
4476 }
4477
4478 public:
4479 ObjCCategoriesVisitor(
4481 llvm::SmallPtrSetImpl<ObjCCategoryDecl *> &Deserialized,
4482 GlobalDeclID InterfaceID, unsigned PreviousGeneration)
4483 : Reader(Reader), Interface(Interface), Deserialized(Deserialized),
4484 InterfaceID(InterfaceID), PreviousGeneration(PreviousGeneration) {
4485 // Populate the name -> category map with the set of known categories.
4486 for (auto *Cat : Interface->known_categories()) {
4487 if (Cat->getDeclName())
4488 NameCategoryMap[Cat->getDeclName()] = Cat;
4489
4490 // Keep track of the tail of the category list.
4491 Tail = Cat;
4492 }
4493 }
4494
4495 bool operator()(ModuleFile &M) {
4496 // If we've loaded all of the category information we care about from
4497 // this module file, we're done.
4498 if (M.Generation <= PreviousGeneration)
4499 return true;
4500
4501 // Map global ID of the definition down to the local ID used in this
4502 // module file. If there is no such mapping, we'll find nothing here
4503 // (or in any module it imports).
4504 LocalDeclID LocalID =
4505 Reader.mapGlobalIDToModuleFileGlobalID(M, InterfaceID);
4506 if (LocalID.isInvalid())
4507 return true;
4508
4509 // Perform a binary search to find the local redeclarations for this
4510 // declaration (if any).
4511 const ObjCCategoriesInfo Compare = { LocalID, 0 };
4512 const ObjCCategoriesInfo *Result
4513 = std::lower_bound(M.ObjCCategoriesMap,
4515 Compare);
4516 if (Result == M.ObjCCategoriesMap + M.LocalNumObjCCategoriesInMap ||
4517 LocalID != Result->getDefinitionID()) {
4518 // We didn't find anything. If the class definition is in this module
4519 // file, then the module files it depends on cannot have any categories,
4520 // so suppress further lookup.
4521 return Reader.isDeclIDFromModule(InterfaceID, M);
4522 }
4523
4524 // We found something. Dig out all of the categories.
4525 unsigned Offset = Result->Offset;
4526 unsigned N = M.ObjCCategories[Offset];
4527 M.ObjCCategories[Offset++] = 0; // Don't try to deserialize again
4528 for (unsigned I = 0; I != N; ++I)
4529 add(Reader.ReadDeclAs<ObjCCategoryDecl>(M, M.ObjCCategories, Offset));
4530 return true;
4531 }
4532 };
4533
4534} // namespace
4535
4536void ASTReader::loadObjCCategories(GlobalDeclID ID, ObjCInterfaceDecl *D,
4537 unsigned PreviousGeneration) {
4538 ObjCCategoriesVisitor Visitor(*this, D, CategoriesDeserialized, ID,
4539 PreviousGeneration);
4540 ModuleMgr.visit(Visitor);
4541}
4542
4543template<typename DeclT, typename Fn>
4544static void forAllLaterRedecls(DeclT *D, Fn F) {
4545 F(D);
4546
4547 // Check whether we've already merged D into its redeclaration chain.
4548 // MostRecent may or may not be nullptr if D has not been merged. If
4549 // not, walk the merged redecl chain and see if it's there.
4550 auto *MostRecent = D->getMostRecentDecl();
4551 bool Found = false;
4552 for (auto *Redecl = MostRecent; Redecl && !Found;
4553 Redecl = Redecl->getPreviousDecl())
4554 Found = (Redecl == D);
4555
4556 // If this declaration is merged, apply the functor to all later decls.
4557 if (Found) {
4558 for (auto *Redecl = MostRecent; Redecl != D;
4559 Redecl = Redecl->getPreviousDecl())
4560 F(Redecl);
4561 }
4562}
4563
4565 while (Record.getIdx() < Record.size()) {
4566 switch ((DeclUpdateKind)Record.readInt()) {
4568 auto *RD = cast<CXXRecordDecl>(D);
4569 Decl *MD = Record.readDecl();
4570 assert(MD && "couldn't read decl from update record");
4571 Reader.PendingAddedClassMembers.push_back({RD, MD});
4572 break;
4573 }
4574
4576 auto *Anon = readDeclAs<NamespaceDecl>();
4577
4578 // Each module has its own anonymous namespace, which is disjoint from
4579 // any other module's anonymous namespaces, so don't attach the anonymous
4580 // namespace at all.
4581 if (!Record.isModule()) {
4582 if (auto *TU = dyn_cast<TranslationUnitDecl>(D))
4583 TU->setAnonymousNamespace(Anon);
4584 else
4585 cast<NamespaceDecl>(D)->setAnonymousNamespace(Anon);
4586 }
4587 break;
4588 }
4589
4591 auto *VD = cast<VarDecl>(D);
4592 VD->NonParmVarDeclBits.IsInline = Record.readInt();
4593 VD->NonParmVarDeclBits.IsInlineSpecified = Record.readInt();
4594 ReadVarDeclInit(VD);
4595 break;
4596 }
4597
4599 SourceLocation POI = Record.readSourceLocation();
4600 if (auto *VTSD = dyn_cast<VarTemplateSpecializationDecl>(D)) {
4601 VTSD->setPointOfInstantiation(POI);
4602 } else if (auto *VD = dyn_cast<VarDecl>(D)) {
4603 MemberSpecializationInfo *MSInfo = VD->getMemberSpecializationInfo();
4604 assert(MSInfo && "No member specialization information");
4605 MSInfo->setPointOfInstantiation(POI);
4606 } else {
4607 auto *FD = cast<FunctionDecl>(D);
4608 if (auto *FTSInfo = FD->TemplateOrSpecialization
4610 FTSInfo->setPointOfInstantiation(POI);
4611 else
4612 cast<MemberSpecializationInfo *>(FD->TemplateOrSpecialization)
4613 ->setPointOfInstantiation(POI);
4614 }
4615 break;
4616 }
4617
4619 auto *Param = cast<ParmVarDecl>(D);
4620
4621 // We have to read the default argument regardless of whether we use it
4622 // so that hypothetical further update records aren't messed up.
4623 // TODO: Add a function to skip over the next expr record.
4624 auto *DefaultArg = Record.readExpr();
4625
4626 // Only apply the update if the parameter still has an uninstantiated
4627 // default argument.
4628 if (Param->hasUninstantiatedDefaultArg())
4629 Param->setDefaultArg(DefaultArg);
4630 break;
4631 }
4632
4634 auto *FD = cast<FieldDecl>(D);
4635 auto *DefaultInit = Record.readExpr();
4636
4637 // Only apply the update if the field still has an uninstantiated
4638 // default member initializer.
4639 if (FD->hasInClassInitializer() && !FD->hasNonNullInClassInitializer()) {
4640 if (DefaultInit)
4641 FD->setInClassInitializer(DefaultInit);
4642 else
4643 // Instantiation failed. We can get here if we serialized an AST for
4644 // an invalid program.
4645 FD->removeInClassInitializer();
4646 }
4647 break;
4648 }
4649
4651 auto *FD = cast<FunctionDecl>(D);
4652 if (Reader.PendingBodies[FD]) {
4653 // FIXME: Maybe check for ODR violations.
4654 // It's safe to stop now because this update record is always last.
4655 return;
4656 }
4657
4658 if (Record.readInt()) {
4659 // Maintain AST consistency: any later redeclarations of this function
4660 // are inline if this one is. (We might have merged another declaration
4661 // into this one.)
4662 forAllLaterRedecls(FD, [](FunctionDecl *FD) {
4663 FD->setImplicitlyInline();
4664 });
4665 }
4666 FD->setInnerLocStart(readSourceLocation());
4668 assert(Record.getIdx() == Record.size() && "lazy body must be last");
4669 break;
4670 }
4671
4673 auto *RD = cast<CXXRecordDecl>(D);
4674 auto *OldDD = RD->getCanonicalDecl()->DefinitionData;
4675 bool HadRealDefinition =
4676 OldDD && (OldDD->Definition != RD ||
4677 !Reader.PendingFakeDefinitionData.count(OldDD));
4678 RD->setParamDestroyedInCallee(Record.readInt());
4680 static_cast<RecordArgPassingKind>(Record.readInt()));
4681 ReadCXXRecordDefinition(RD, /*Update*/true);
4682
4683 // Visible update is handled separately.
4684 uint64_t LexicalOffset = ReadLocalOffset();
4685 if (!HadRealDefinition && LexicalOffset) {
4686 Record.readLexicalDeclContextStorage(LexicalOffset, RD);
4687 Reader.PendingFakeDefinitionData.erase(OldDD);
4688 }
4689
4690 auto TSK = (TemplateSpecializationKind)Record.readInt();
4691 SourceLocation POI = readSourceLocation();
4692 if (MemberSpecializationInfo *MSInfo =
4694 MSInfo->setTemplateSpecializationKind(TSK);
4695 MSInfo->setPointOfInstantiation(POI);
4696 } else {
4697 auto *Spec = cast<ClassTemplateSpecializationDecl>(RD);
4698 Spec->setTemplateSpecializationKind(TSK);
4699 Spec->setPointOfInstantiation(POI);
4700
4701 if (Record.readInt()) {
4702 auto *PartialSpec =
4703 readDeclAs<ClassTemplatePartialSpecializationDecl>();
4705 Record.readTemplateArgumentList(TemplArgs);
4706 auto *TemplArgList = TemplateArgumentList::CreateCopy(
4707 Reader.getContext(), TemplArgs);
4708
4709 // FIXME: If we already have a partial specialization set,
4710 // check that it matches.
4711 if (!isa<ClassTemplatePartialSpecializationDecl *>(
4712 Spec->getSpecializedTemplateOrPartial()))
4713 Spec->setInstantiationOf(PartialSpec, TemplArgList);
4714 }
4715 }
4716
4717 RD->setTagKind(static_cast<TagTypeKind>(Record.readInt()));
4718 RD->setLocation(readSourceLocation());
4719 RD->setLocStart(readSourceLocation());
4720 RD->setBraceRange(readSourceRange());
4721
4722 if (Record.readInt()) {
4723 AttrVec Attrs;
4724 Record.readAttributes(Attrs);
4725 // If the declaration already has attributes, we assume that some other
4726 // AST file already loaded them.
4727 if (!D->hasAttrs())
4728 D->setAttrsImpl(Attrs, Reader.getContext());
4729 }
4730 break;
4731 }
4732
4734 // Set the 'operator delete' directly to avoid emitting another update
4735 // record.
4736 auto *Del = readDeclAs<FunctionDecl>();
4737 auto *First = cast<CXXDestructorDecl>(D->getCanonicalDecl());
4738 auto *ThisArg = Record.readExpr();
4739 // FIXME: Check consistency if we have an old and new operator delete.
4740 if (!First->OperatorDelete) {
4741 First->OperatorDelete = Del;
4742 First->OperatorDeleteThisArg = ThisArg;
4743 }
4744 break;
4745 }
4746
4748 SmallVector<QualType, 8> ExceptionStorage;
4749 auto ESI = Record.readExceptionSpecInfo(ExceptionStorage);
4750
4751 // Update this declaration's exception specification, if needed.
4752 auto *FD = cast<FunctionDecl>(D);
4753 auto *FPT = FD->getType()->castAs<FunctionProtoType>();
4754 // FIXME: If the exception specification is already present, check that it
4755 // matches.
4756 if (isUnresolvedExceptionSpec(FPT->getExceptionSpecType())) {
4757 FD->setType(Reader.getContext().getFunctionType(
4758 FPT->getReturnType(), FPT->getParamTypes(),
4759 FPT->getExtProtoInfo().withExceptionSpec(ESI)));
4760
4761 // When we get to the end of deserializing, see if there are other decls
4762 // that we need to propagate this exception specification onto.
4763 Reader.PendingExceptionSpecUpdates.insert(
4764 std::make_pair(FD->getCanonicalDecl(), FD));
4765 }
4766 break;
4767 }
4768
4770 auto *FD = cast<FunctionDecl>(D);
4771 QualType DeducedResultType = Record.readType();
4772 Reader.PendingDeducedTypeUpdates.insert(
4773 {FD->getCanonicalDecl(), DeducedResultType});
4774 break;
4775 }
4776
4778 // Maintain AST consistency: any later redeclarations are used too.
4779 D->markUsed(Reader.getContext());
4780 break;
4781
4783 Reader.getContext().setManglingNumber(cast<NamedDecl>(D),
4784 Record.readInt());
4785 break;
4786
4788 Reader.getContext().setStaticLocalNumber(cast<VarDecl>(D),
4789 Record.readInt());
4790 break;
4791
4793 D->addAttr(OMPThreadPrivateDeclAttr::CreateImplicit(Reader.getContext(),
4794 readSourceRange()));
4795 break;
4796
4798 auto AllocatorKind =
4799 static_cast<OMPAllocateDeclAttr::AllocatorTypeTy>(Record.readInt());
4800 Expr *Allocator = Record.readExpr();
4801 Expr *Alignment = Record.readExpr();
4802 SourceRange SR = readSourceRange();
4803 D->addAttr(OMPAllocateDeclAttr::CreateImplicit(
4804 Reader.getContext(), AllocatorKind, Allocator, Alignment, SR));
4805 break;
4806 }
4807
4808 case UPD_DECL_EXPORTED: {
4809 unsigned SubmoduleID = readSubmoduleID();
4810 auto *Exported = cast<NamedDecl>(D);
4811 Module *Owner = SubmoduleID ? Reader.getSubmodule(SubmoduleID) : nullptr;
4812 Reader.getContext().mergeDefinitionIntoModule(Exported, Owner);
4813 Reader.PendingMergedDefinitionsToDeduplicate.insert(Exported);
4814 break;
4815 }
4816
4818 auto MapType = Record.readEnum<OMPDeclareTargetDeclAttr::MapTypeTy>();
4819 auto DevType = Record.readEnum<OMPDeclareTargetDeclAttr::DevTypeTy>();
4820 Expr *IndirectE = Record.readExpr();
4821 bool Indirect = Record.readBool();
4822 unsigned Level = Record.readInt();
4823 D->addAttr(OMPDeclareTargetDeclAttr::CreateImplicit(
4824 Reader.getContext(), MapType, DevType, IndirectE, Indirect, Level,
4825 readSourceRange()));
4826 break;
4827 }
4828
4830 AttrVec Attrs;
4831 Record.readAttributes(Attrs);
4832 assert(Attrs.size() == 1);
4833 D->addAttr(Attrs[0]);
4834 break;
4835 }
4836 }
4837}
This file provides AST data structures related to concepts.
Defines the clang::ASTContext interface.
#define V(N, I)
Definition: ASTContext.h:3453
static T assert_cast(T t)
"Cast" to type T, asserting if we don't have an implicit conversion.
static bool allowODRLikeMergeInC(NamedDecl *ND)
ODR-like semantics for C/ObjC allow us to merge tag types and a structural check in Sema guarantees t...
static NamedDecl * getDeclForMerging(NamedDecl *Found, bool IsTypedefNameForLinkage)
Find the declaration that should be merged into, given the declaration found by name lookup.
static bool inheritDefaultTemplateArgument(ASTContext &Context, ParmDecl *From, Decl *ToD)
Inherit the default template argument from From to To.
static void inheritDefaultTemplateArguments(ASTContext &Context, TemplateDecl *From, TemplateDecl *To)
static void forAllLaterRedecls(DeclT *D, Fn F)
static llvm::iterator_range< MergedRedeclIterator< DeclT > > merged_redecls(DeclT *D)
#define NO_MERGE(Field)
static char ID
Definition: Arena.cpp:183
Defines the clang::attr::Kind enum.
clang::CharUnits operator*(clang::CharUnits::QuantityType Scale, const clang::CharUnits &CU)
Definition: CharUnits.h:225
const Decl * D
enum clang::sema::@1724::IndirectLocalPathEntry::EntryKind Kind
Expr * E
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
This file defines OpenMP nodes for declarative directives.
Defines the C++ template declaration subclasses.
Defines the ExceptionSpecificationType enumeration and various utility functions.
unsigned Iter
Definition: HTMLLogger.cpp:153
Defines the clang::IdentifierInfo, clang::IdentifierTable, and clang::Selector interfaces.
Forward-declares and imports various common LLVM datatypes that clang wants to use unqualified.
Defines the LambdaCapture class.
Defines several types used to describe C++ lambda expressions that are shared between the parser and ...
Defines the clang::LangOptions interface.
llvm::MachO::Record Record
Definition: MachO.h:31
Defines the clang::Module class, which describes a module in the source code.
This file defines OpenMP AST classes for clauses.
static std::string toString(const clang::SanitizerSet &Sanitizers)
Produce a string containing comma-separated names of sanitizers in Sanitizers set.
SourceLocation Loc
Definition: SemaObjC.cpp:759
bool Indirect
Definition: SemaObjC.cpp:760
Defines the clang::SourceLocation class and associated facilities.
Defines various enumerations that describe declaration and type specifiers.
Defines utilities for dealing with stack allocation and stack space.
C Language Family Type Representation.
StateNode * Previous
__DEVICE__ void * memcpy(void *__a, const void *__b, size_t __c)
APValue - This class implements a discriminated union of [uninitialized] [APSInt] [APFloat],...
Definition: APValue.h:122
bool needsCleanup() const
Returns whether the object performed allocations.
Definition: APValue.cpp:431
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
Definition: ASTContext.h:188
TranslationUnitDecl * getTranslationUnitDecl() const
Definition: ASTContext.h:1141
void setInstantiatedFromUsingDecl(NamedDecl *Inst, NamedDecl *Pattern)
Remember that the using decl Inst is an instantiation of the using decl Pattern of a class template.
QualType getInjectedClassNameType(CXXRecordDecl *Decl, QualType TST) const
getInjectedClassNameType - Return the unique reference to the injected class name type for the specif...
void setInstantiatedFromUsingShadowDecl(UsingShadowDecl *Inst, UsingShadowDecl *Pattern)
const LangOptions & getLangOpts() const
Definition: ASTContext.h:834
void setInstantiatedFromUsingEnumDecl(UsingEnumDecl *Inst, UsingEnumDecl *Pattern)
Remember that the using enum decl Inst is an instantiation of the using enum decl Pattern of a class ...
void setStaticLocalNumber(const VarDecl *VD, unsigned Number)
void addOverriddenMethod(const CXXMethodDecl *Method, const CXXMethodDecl *Overridden)
Note that the given C++ Method overrides the given Overridden method.
void setManglingNumber(const NamedDecl *ND, unsigned Number)
void * Allocate(size_t Size, unsigned Align=8) const
Definition: ASTContext.h:754
TypeSourceInfo * CreateTypeSourceInfo(QualType T, unsigned Size=0) const
Allocate an uninitialized TypeSourceInfo.
void setInstantiatedFromStaticDataMember(VarDecl *Inst, VarDecl *Tmpl, TemplateSpecializationKind TSK, SourceLocation PointOfInstantiation=SourceLocation())
Note that the static data member Inst is an instantiation of the static data member template Tmpl of ...
QualType getFunctionType(QualType ResultTy, ArrayRef< QualType > Args, const FunctionProtoType::ExtProtoInfo &EPI) const
Return a normal function type with a typed argument list.
Definition: ASTContext.h:1681
void setInstantiatedFromUnnamedFieldDecl(FieldDecl *Inst, FieldDecl *Tmpl)
void setBlockVarCopyInit(const VarDecl *VD, Expr *CopyExpr, bool CanThrow)
Set the copy initialization expression of a block var decl.
void addDestruction(T *Ptr) const
If T isn't trivially destructible, calls AddDeallocation to register it for destruction.
Definition: ASTContext.h:3261
ExternalASTSource * getExternalSource() const
Retrieve a pointer to the external AST source associated with this AST context, if any.
Definition: ASTContext.h:1274
void mergeDefinitionIntoModule(NamedDecl *ND, Module *M, bool NotifyListeners=true)
Note that the definition ND has been merged into module M, and should be visible whenever M is visibl...
void setPrimaryMergedDecl(Decl *D, Decl *Primary)
Definition: ASTContext.h:1101
void setObjCMethodRedeclaration(const ObjCMethodDecl *MD, const ObjCMethodDecl *Redecl)
bool isInSameModule(const Module *M1, const Module *M2)
If the two module M1 and M2 are in the same module.
void mergeTemplatePattern(RedeclarableTemplateDecl *D, RedeclarableTemplateDecl *Existing, bool IsKeyDecl)
Merge together the pattern declarations from two template declarations.
ASTDeclMerger(ASTReader &Reader)
void mergeRedeclarable(Redeclarable< T > *D, T *Existing, RedeclarableResult &Redecl)
void mergeLambda(CXXRecordDecl *D, RedeclarableResult &Redecl, Decl &Context, unsigned Number)
Attempt to merge D with a previous declaration of the same lambda, which is found by its index within...
void MergeDefinitionData(CXXRecordDecl *D, struct CXXRecordDecl::DefinitionData &&NewDD)
void mergeRedeclarableImpl(Redeclarable< T > *D, T *Existing, GlobalDeclID KeyDeclID)
Attempts to merge the given declaration (D) with another declaration of the same entity.
void VisitTemplateParamObjectDecl(TemplateParamObjectDecl *D)
void VisitObjCImplementationDecl(ObjCImplementationDecl *D)
void mergeRedeclarableTemplate(RedeclarableTemplateDecl *D, RedeclarableResult &Redecl)
void VisitImportDecl(ImportDecl *D)
void VisitBindingDecl(BindingDecl *BD)
void VisitNamespaceDecl(NamespaceDecl *D)
void VisitTopLevelStmtDecl(TopLevelStmtDecl *D)
RedeclarableResult VisitRedeclarableTemplateDecl(RedeclarableTemplateDecl *D)
void VisitTemplateTypeParmDecl(TemplateTypeParmDecl *D)
void VisitUnresolvedUsingIfExistsDecl(UnresolvedUsingIfExistsDecl *D)
void ReadFunctionDefinition(FunctionDecl *FD)
void VisitLabelDecl(LabelDecl *LD)
void VisitObjCCategoryDecl(ObjCCategoryDecl *D)
void VisitUsingDirectiveDecl(UsingDirectiveDecl *D)
RedeclarableResult VisitClassTemplateSpecializationDeclImpl(ClassTemplateSpecializationDecl *D)
void VisitFunctionDecl(FunctionDecl *FD)
void VisitObjCMethodDecl(ObjCMethodDecl *D)
void VisitUsingShadowDecl(UsingShadowDecl *D)
void VisitVarTemplateSpecializationDecl(VarTemplateSpecializationDecl *D)
void VisitVarDecl(VarDecl *VD)
RedeclarableResult VisitRedeclarable(Redeclarable< T > *D)
void VisitMSGuidDecl(MSGuidDecl *D)
void VisitPragmaCommentDecl(PragmaCommentDecl *D)
void VisitRecordDecl(RecordDecl *RD)
void VisitLifetimeExtendedTemporaryDecl(LifetimeExtendedTemporaryDecl *D)
void VisitTypeAliasTemplateDecl(TypeAliasTemplateDecl *D)
void VisitRequiresExprBodyDecl(RequiresExprBodyDecl *D)
void ReadVarDeclInit(VarDecl *VD)
static Decl * getMostRecentDeclImpl(Redeclarable< DeclT > *D)
void VisitNamespaceAliasDecl(NamespaceAliasDecl *D)
void VisitIndirectFieldDecl(IndirectFieldDecl *FD)
void VisitObjCContainerDecl(ObjCContainerDecl *D)
void VisitBlockDecl(BlockDecl *BD)
void UpdateDecl(Decl *D)
void VisitExportDecl(ExportDecl *D)
static void attachLatestDecl(Decl *D, Decl *latest)
void VisitStaticAssertDecl(StaticAssertDecl *D)
void VisitEmptyDecl(EmptyDecl *D)
void VisitOMPCapturedExprDecl(OMPCapturedExprDecl *D)
void VisitValueDecl(ValueDecl *VD)
void VisitEnumDecl(EnumDecl *ED)
void mergeRedeclarable(Redeclarable< T > *D, RedeclarableResult &Redecl)
Attempts to merge the given declaration (D) with another declaration of the same entity.
void VisitUnresolvedUsingTypenameDecl(UnresolvedUsingTypenameDecl *D)
void VisitFriendTemplateDecl(FriendTemplateDecl *D)
void VisitObjCProtocolDecl(ObjCProtocolDecl *D)
void VisitClassTemplatePartialSpecializationDecl(ClassTemplatePartialSpecializationDecl *D)
void VisitObjCTypeParamDecl(ObjCTypeParamDecl *D)
void VisitDeclaratorDecl(DeclaratorDecl *DD)
RedeclarableResult VisitTypedefNameDecl(TypedefNameDecl *TD)
void VisitFriendDecl(FriendDecl *D)
void VisitLinkageSpecDecl(LinkageSpecDecl *D)
void VisitCXXRecordDecl(CXXRecordDecl *D)
ASTDeclReader(ASTReader &Reader, ASTRecordReader &Record, ASTReader::RecordLocation Loc, GlobalDeclID thisDeclID, SourceLocation ThisDeclLoc)
void VisitFileScopeAsmDecl(FileScopeAsmDecl *AD)
void VisitImplicitConceptSpecializationDecl(ImplicitConceptSpecializationDecl *D)
void VisitNamedDecl(NamedDecl *ND)
void mergeMergeable(Mergeable< T > *D)
Attempts to merge the given declaration (D) with another declaration of the same entity,...
void VisitBuiltinTemplateDecl(BuiltinTemplateDecl *D)
static Decl * getMostRecentDecl(Decl *D)
void VisitObjCCompatibleAliasDecl(ObjCCompatibleAliasDecl *D)
void VisitCXXConstructorDecl(CXXConstructorDecl *D)
void VisitPragmaDetectMismatchDecl(PragmaDetectMismatchDecl *D)
void VisitImplicitParamDecl(ImplicitParamDecl *PD)
void VisitUnresolvedUsingValueDecl(UnresolvedUsingValueDecl *D)
static void setNextObjCCategory(ObjCCategoryDecl *Cat, ObjCCategoryDecl *Next)
void VisitMSPropertyDecl(MSPropertyDecl *FD)
void VisitClassTemplateSpecializationDecl(ClassTemplateSpecializationDecl *D)
void VisitFieldDecl(FieldDecl *FD)
RedeclarableResult VisitVarDeclImpl(VarDecl *D)
void VisitOMPDeclareMapperDecl(OMPDeclareMapperDecl *D)
void VisitCapturedDecl(CapturedDecl *CD)
void VisitNonTypeTemplateParmDecl(NonTypeTemplateParmDecl *D)
void VisitObjCInterfaceDecl(ObjCInterfaceDecl *D)
RedeclarableResult VisitCXXRecordDeclImpl(CXXRecordDecl *D)
void VisitAccessSpecDecl(AccessSpecDecl *D)
void VisitCXXMethodDecl(CXXMethodDecl *D)
void VisitOMPAllocateDecl(OMPAllocateDecl *D)
void VisitObjCPropertyImplDecl(ObjCPropertyImplDecl *D)
static void attachLatestDeclImpl(Redeclarable< DeclT > *D, Decl *Latest)
static void markIncompleteDeclChainImpl(Redeclarable< DeclT > *D)
RedeclarableResult VisitTagDecl(TagDecl *TD)
ObjCTypeParamList * ReadObjCTypeParamList()
void VisitHLSLBufferDecl(HLSLBufferDecl *D)
void VisitOMPThreadPrivateDecl(OMPThreadPrivateDecl *D)
void VisitDecl(Decl *D)
void VisitCXXDeductionGuideDecl(CXXDeductionGuideDecl *GD)
void VisitConstructorUsingShadowDecl(ConstructorUsingShadowDecl *D)
void VisitTemplateTemplateParmDecl(TemplateTemplateParmDecl *D)
static void checkMultipleDefinitionInNamedModules(ASTReader &Reader, Decl *D, Decl *Previous)
void VisitUsingEnumDecl(UsingEnumDecl *D)
void VisitObjCImplDecl(ObjCImplDecl *D)
void VisitTranslationUnitDecl(TranslationUnitDecl *TU)
void VisitUnnamedGlobalConstantDecl(UnnamedGlobalConstantDecl *D)
void VisitTypeDecl(TypeDecl *TD)
void VisitObjCCategoryImplDecl(ObjCCategoryImplDecl *D)
void VisitEnumConstantDecl(EnumConstantDecl *ECD)
void VisitTypeAliasDecl(TypeAliasDecl *TD)
static void attachPreviousDeclImpl(ASTReader &Reader, Redeclarable< DeclT > *D, Decl *Previous, Decl *Canon)
void VisitConceptDecl(ConceptDecl *D)
void VisitObjCPropertyDecl(ObjCPropertyDecl *D)
void VisitObjCIvarDecl(ObjCIvarDecl *D)
void VisitUsingPackDecl(UsingPackDecl *D)
void VisitFunctionTemplateDecl(FunctionTemplateDecl *D)
void VisitOMPDeclareReductionDecl(OMPDeclareReductionDecl *D)
RedeclarableResult VisitVarTemplateSpecializationDeclImpl(VarTemplateSpecializationDecl *D)
TODO: Unify with ClassTemplateSpecializationDecl version? May require unifying ClassTemplate(Partial)...
void VisitUsingDecl(UsingDecl *D)
void VisitObjCAtDefsFieldDecl(ObjCAtDefsFieldDecl *D)
void VisitVarTemplatePartialSpecializationDecl(VarTemplatePartialSpecializationDecl *D)
TODO: Unify with ClassTemplatePartialSpecializationDecl version? May require unifying ClassTemplate(P...
void VisitParmVarDecl(ParmVarDecl *PD)
void VisitVarTemplateDecl(VarTemplateDecl *D)
TODO: Unify with ClassTemplateDecl version? May require unifying ClassTemplateDecl and VarTemplateDec...
static void attachPreviousDecl(ASTReader &Reader, Decl *D, Decl *Previous, Decl *Canon)
std::pair< uint64_t, uint64_t > VisitDeclContext(DeclContext *DC)
void VisitClassTemplateDecl(ClassTemplateDecl *D)
void VisitCXXDestructorDecl(CXXDestructorDecl *D)
void VisitTemplateDecl(TemplateDecl *D)
void VisitCXXConversionDecl(CXXConversionDecl *D)
void VisitTypedefDecl(TypedefDecl *TD)
void VisitOMPRequiresDecl(OMPRequiresDecl *D)
RedeclarableResult VisitRecordDeclImpl(RecordDecl *RD)
void VisitDecompositionDecl(DecompositionDecl *DD)
void ReadSpecializations(ModuleFile &M, Decl *D, llvm::BitstreamCursor &DeclsCursor, bool IsPartial)
Reads an AST files chain containing the contents of a translation unit.
Definition: ASTReader.h:383
bool isDeclIDFromModule(GlobalDeclID ID, ModuleFile &M) const
Returns true if global DeclID ID originated from module M.
Definition: ASTReader.cpp:7888
DiagnosticBuilder Diag(unsigned DiagID) const
Report a diagnostic.
Definition: ASTReader.cpp:9870
ASTContext & getContext()
Retrieve the AST context that this AST reader supplements.
Definition: ASTReader.h:2501
Decl * ReadDecl(ModuleFile &F, const RecordDataImpl &R, unsigned &I)
Reads a declaration from the given position in a record in the given module.
Definition: ASTReader.h:2077
ModuleFile * getOwningModuleFile(const Decl *D) const
Retrieve the module file that owns the given declaration, or NULL if the declaration is not from a mo...
Definition: ASTReader.cpp:7908
T * ReadDeclAs(ModuleFile &F, const RecordDataImpl &R, unsigned &I)
Reads a declaration from the given position in a record in the given module.
Definition: ASTReader.h:2087
SourceLocation ReadSourceLocation(ModuleFile &MF, RawLocEncoding Raw, LocSeq *Seq=nullptr) const
Read a source location from raw form.
Definition: ASTReader.h:2370
LocalDeclID mapGlobalIDToModuleFileGlobalID(ModuleFile &M, GlobalDeclID GlobalID)
Map a global declaration ID into the declaration ID used to refer to this declaration within the give...
Definition: ASTReader.cpp:8108
QualType GetType(serialization::TypeID ID)
Resolve a type ID into a type, potentially building a new type.
Definition: ASTReader.cpp:7331
IdentifierResolver & getIdResolver()
Get the identifier resolver used for name lookup / updates in the translation unit scope.
Decl * GetDecl(GlobalDeclID ID)
Resolve a declaration ID into a declaration, potentially building a new declaration.
Definition: ASTReader.cpp:8087
Module * getSubmodule(serialization::SubmoduleID GlobalID)
Retrieve the submodule that corresponds to a global submodule ID.
Definition: ASTReader.cpp:9434
void mergeDefinitionVisibility(NamedDecl *Def, NamedDecl *MergedDef)
Note that MergedDef is a redefinition of the canonical definition Def, so Def should be visible whene...
Definition: ASTReader.cpp:4477
void runWithSufficientStackSpace(SourceLocation Loc, llvm::function_ref< void()> Fn)
Definition: ASTReader.cpp:9878
SmallVector< uint64_t, 64 > RecordData
Definition: ASTReader.h:398
An object for streaming information from a record.
bool readBool()
Read a boolean value, advancing Idx.
std::string readString()
Read a string, advancing Idx.
void readAttributes(AttrVec &Attrs)
Reads attributes from the current stream position, advancing Idx.
T * readDeclAs()
Reads a declaration from the given position in the record, advancing Idx.
IdentifierInfo * readIdentifier()
ASTContext & getContext()
Retrieve the AST context that this AST reader supplements.
TypeSourceInfo * readTypeSourceInfo()
Reads a declarator info from the given record, advancing Idx.
Definition: ASTReader.cpp:7292
SourceRange readSourceRange(LocSeq *Seq=nullptr)
Read a source range, advancing Idx.
OMPTraitInfo * readOMPTraitInfo()
Read an OMPTraitInfo object, advancing Idx.
VersionTuple readVersionTuple()
Read a version tuple, advancing Idx.
uint64_t readInt()
Returns the current value in this record, and advances to the next value.
Attr * readAttr()
Reads one attribute from the current stream position, advancing Idx.
Expr * readExpr()
Reads an expression.
SourceLocation readSourceLocation(LocSeq *Seq=nullptr)
Read a source location, advancing Idx.
Represents an access specifier followed by colon ':'.
Definition: DeclCXX.h:86
static AccessSpecDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:60
Attr - This represents one attribute.
Definition: Attr.h:43
Attr * clone(ASTContext &C) const
Syntax
The style used to specify an attribute.
@ AS_Keyword
__ptr16, alignas(...), etc.
A binding in a decomposition declaration.
Definition: DeclCXX.h:4130
static BindingDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3470
A simple helper class to unpack an integer to bits and consuming the bits in order.
Definition: ASTReader.h:2563
uint32_t getNextBits(uint32_t Width)
Definition: ASTReader.h:2586
A class which contains all the information about a particular captured value.
Definition: Decl.h:4502
Represents a block literal declaration, which is like an unnamed FunctionDecl.
Definition: Decl.h:4496
void setParams(ArrayRef< ParmVarDecl * > NewParamInfo)
Definition: Decl.cpp:5256
void setDoesNotEscape(bool B=true)
Definition: Decl.h:4648
void setSignatureAsWritten(TypeSourceInfo *Sig)
Definition: Decl.h:4578
void setCanAvoidCopyToHeap(bool B=true)
Definition: Decl.h:4653
void setIsConversionFromLambda(bool val=true)
Definition: Decl.h:4643
void setBlockMissingReturnType(bool val=true)
Definition: Decl.h:4635
static BlockDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5447
void setIsVariadic(bool value)
Definition: Decl.h:4572
void setBody(CompoundStmt *B)
Definition: Decl.h:4576
void setCaptures(ASTContext &Context, ArrayRef< Capture > Captures, bool CapturesCXXThis)
Definition: Decl.cpp:5267
Represents the builtin template declaration which is used to implement __make_integer_seq and other b...
Represents a C++ constructor within a class.
Definition: DeclCXX.h:2553
static CXXConstructorDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, uint64_t AllocKind)
Definition: DeclCXX.cpp:2834
Represents a C++ conversion function within a class.
Definition: DeclCXX.h:2885
static CXXConversionDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3035
Represents a C++ deduction guide declaration.
Definition: DeclCXX.h:1967
static CXXDeductionGuideDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:2300
Represents a C++ destructor within a class.
Definition: DeclCXX.h:2817
static CXXDestructorDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:2981
Represents a static or instance method of a struct/union/class.
Definition: DeclCXX.h:2078
static CXXMethodDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:2418
Represents a C++ struct/union/class.
Definition: DeclCXX.h:258
CXXRecordDecl * getDefinition() const
Definition: DeclCXX.h:565
static CXXRecordDecl * CreateDeserialized(const ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:164
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this class is an instantiation of a member class of a class template specialization,...
Definition: DeclCXX.cpp:1989
CXXRecordDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Definition: DeclCXX.h:524
Represents the body of a CapturedStmt, and serves as its DeclContext.
Definition: Decl.h:4695
static CapturedDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NumParams)
Definition: Decl.cpp:5461
void setContextParam(unsigned i, ImplicitParamDecl *P)
Definition: Decl.h:4761
void setNothrow(bool Nothrow=true)
Definition: Decl.cpp:5471
void setParam(unsigned i, ImplicitParamDecl *P)
Definition: Decl.h:4743
Declaration of a class template.
static ClassTemplateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Create an empty class template node.
static ClassTemplatePartialSpecializationDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Represents a class template specialization, which refers to a class template with a given set of temp...
static ClassTemplateSpecializationDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Declaration of a C++20 concept.
static ConceptDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
A reference to a concept and its template args, as it appears in the code.
Definition: ASTConcept.h:124
Represents a shadow constructor declaration introduced into a class by a C++11 using-declaration that...
Definition: DeclCXX.h:3621
static ConstructorUsingShadowDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3262
static DeclAccessPair make(NamedDecl *D, AccessSpecifier AS)
The results of name lookup within a DeclContext.
Definition: DeclBase.h:1368
DeclContext - This is used only as base class of specific decl types that can act as declaration cont...
Definition: DeclBase.h:1435
void setHasExternalVisibleStorage(bool ES=true) const
State whether this DeclContext has external storage for declarations visible in this context.
Definition: DeclBase.h:2693
bool isTranslationUnit() const
Definition: DeclBase.h:2176
DeclContext * getRedeclContext()
getRedeclContext - Retrieve the context in which an entity conflicts with other entities of the same ...
Definition: DeclBase.cpp:1990
DeclContext * getPrimaryContext()
getPrimaryContext - There may be many different declarations of the same entity (including forward de...
Definition: DeclBase.cpp:1424
bool isFunctionOrMethod() const
Definition: DeclBase.h:2152
bool isValid() const
Definition: DeclID.h:124
DeclID getRawValue() const
Definition: DeclID.h:118
bool isInvalid() const
Definition: DeclID.h:126
A simple visitor class that helps create declaration visitors.
Definition: DeclVisitor.h:67
Decl - This represents one declaration (or definition), e.g.
Definition: DeclBase.h:86
Decl * getPreviousDecl()
Retrieve the previous declaration that declares the same entity as this declaration,...
Definition: DeclBase.h:1050
Decl * getMostRecentDecl()
Retrieve the most recent declaration that declares the same entity as this declaration (which may be ...
Definition: DeclBase.h:1065
T * getAttr() const
Definition: DeclBase.h:576
bool hasAttrs() const
Definition: DeclBase.h:521
ASTContext & getASTContext() const LLVM_READONLY
Definition: DeclBase.cpp:520
void setOwningModuleID(unsigned ID)
Set the owning module ID.
Definition: DeclBase.cpp:126
void addAttr(Attr *A)
Definition: DeclBase.cpp:1010
void setLocalExternDecl()
Changes the namespace of this declaration to reflect that it's a function-local extern declaration.
Definition: DeclBase.h:1140
void setTopLevelDeclInObjCContainer(bool V=true)
Definition: DeclBase.h:635
void markUsed(ASTContext &C)
Mark the declaration used, in the sense of odr-use.
Definition: DeclBase.cpp:564
bool isCanonicalDecl() const
Whether this particular Decl is a canonical one.
Definition: DeclBase.h:973
Module * getOwningModule() const
Get the module that owns this declaration (for visibility purposes).
Definition: DeclBase.h:835
bool isFirstDecl() const
True if this is the first declaration in its redeclaration chain.
Definition: DeclBase.h:1059
Module * getImportedOwningModule() const
Get the imported owning module, if this decl is from an imported (non-local) module.
Definition: DeclBase.h:805
ObjCDeclQualifier
ObjCDeclQualifier - 'Qualifiers' written next to the return and parameter types in method declaration...
Definition: DeclBase.h:198
bool isFromASTFile() const
Determine whether this declaration came from an AST file (such as a precompiled header or module) rat...
Definition: DeclBase.h:786
bool isTemplateParameter() const
isTemplateParameter - Determines whether this declaration is a template parameter.
Definition: DeclBase.h:2777
bool isInvalidDecl() const
Definition: DeclBase.h:591
unsigned FromASTFile
Whether this declaration was loaded from an AST file.
Definition: DeclBase.h:340
void setAccess(AccessSpecifier AS)
Definition: DeclBase.h:505
SourceLocation getLocation() const
Definition: DeclBase.h:442
IdentifierNamespace
IdentifierNamespace - The different namespaces in which declarations may appear.
Definition: DeclBase.h:115
@ IDNS_Ordinary
Ordinary names.
Definition: DeclBase.h:144
@ IDNS_Type
Types, declared with 'struct foo', typedefs, etc.
Definition: DeclBase.h:130
@ IDNS_Tag
Tags, declared with 'struct foo;' and referenced with 'struct foo'.
Definition: DeclBase.h:125
bool isTemplateParameterPack() const
isTemplateParameter - Determines whether this declaration is a template parameter pack.
Definition: DeclBase.cpp:229
void setImplicit(bool I=true)
Definition: DeclBase.h:597
void setReferenced(bool R=true)
Definition: DeclBase.h:626
void setLocation(SourceLocation L)
Definition: DeclBase.h:443
DeclContext * getDeclContext()
Definition: DeclBase.h:451
void setCachedLinkage(Linkage L) const
Definition: DeclBase.h:420
void setDeclContext(DeclContext *DC)
setDeclContext - Set both the semantic and lexical DeclContext to DC.
Definition: DeclBase.cpp:355
DeclContext * getLexicalDeclContext()
getLexicalDeclContext - The declaration context where this Decl was lexically declared (LexicalDC).
Definition: DeclBase.h:907
bool hasAttr() const
Definition: DeclBase.h:580
virtual Decl * getCanonicalDecl()
Retrieves the "canonical" declaration of the given declaration.
Definition: DeclBase.h:967
ModuleOwnershipKind
The kind of ownership a declaration has, for visibility purposes.
Definition: DeclBase.h:216
@ VisibleWhenImported
This declaration has an owning module, and is visible when that module is imported.
@ Unowned
This declaration is not owned by a module.
@ ReachableWhenImported
This declaration has an owning module, and is visible to lookups that occurs within that module.
@ ModulePrivate
This declaration has an owning module, but is only visible to lookups that occur within that module.
@ Visible
This declaration has an owning module, but is globally visible (typically because its owning module i...
Kind getKind() const
Definition: DeclBase.h:445
void setModuleOwnershipKind(ModuleOwnershipKind MOK)
Set whether this declaration is hidden from name lookup.
Definition: DeclBase.h:870
bool shouldEmitInExternalSource() const
Whether the definition of the declaration should be emitted in external sources.
Definition: DeclBase.cpp:1148
void setVisibleDespiteOwningModule()
Set that this declaration is globally visible, even if it came from a module that is not visible.
Definition: DeclBase.h:859
The name of a declaration.
Selector getObjCSelector() const
Get the Objective-C selector stored in this declaration name.
Represents a ValueDecl that came out of a declarator.
Definition: Decl.h:735
void setInnerLocStart(SourceLocation L)
Definition: Decl.h:778
void setTypeSourceInfo(TypeSourceInfo *TI)
Definition: Decl.h:769
TypeSourceInfo * getTypeSourceInfo() const
Definition: Decl.h:764
A decomposition declaration.
Definition: DeclCXX.h:4189
static DecompositionDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NumBindings)
Definition: DeclCXX.cpp:3500
bool isDeduced() const
Definition: Type.h:6549
Represents an empty-declaration.
Definition: Decl.h:4934
static EmptyDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5659
An instance of this object exists for each enum constant that is defined.
Definition: Decl.h:3291
static EnumConstantDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5487
void setInitExpr(Expr *E)
Definition: Decl.h:3315
void setInitVal(const ASTContext &C, const llvm::APSInt &V)
Definition: Decl.h:3316
Represents an enum.
Definition: Decl.h:3861
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this enumeration is an instantiation of a member enumeration of a class template specialization,...
Definition: Decl.h:4120
void setFixed(bool Fixed=true)
True if this is an Objective-C, C++11, or Microsoft-style enumeration with a fixed underlying type.
Definition: Decl.h:3932
void setIntegerType(QualType T)
Set the underlying integer type.
Definition: Decl.h:4030
void setIntegerTypeSourceInfo(TypeSourceInfo *TInfo)
Set the underlying integer type source info.
Definition: Decl.h:4033
unsigned getODRHash()
Definition: Decl.cpp:4976
static EnumDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:4889
void setScoped(bool Scoped=true)
True if this tag declaration is a scoped enumeration.
Definition: Decl.h:3920
void setPromotionType(QualType T)
Set the promotion type.
Definition: Decl.h:4016
EnumDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Definition: Decl.h:3942
void setScopedUsingClassTag(bool ScopedUCT=true)
If this tag declaration is a scoped enum, then this is true if the scoped enum was declared using the...
Definition: Decl.h:3926
Represents a standard C++ module export declaration.
Definition: Decl.h:4887
static ExportDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5782
This represents one expression.
Definition: Expr.h:110
Represents a member of a struct/union/class.
Definition: Decl.h:3033
void setBitWidth(Expr *Width)
Set the bit-field width for this member.
Definition: Decl.h:3163
static FieldDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:4564
const VariableArrayType * CapturedVLAType
Definition: Decl.h:3089
void setRParenLoc(SourceLocation L)
Definition: Decl.h:4441
void setAsmString(StringLiteral *Asm)
Definition: Decl.h:4448
static FileScopeAsmDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5619
FriendDecl - Represents the declaration of a friend entity, which can be a function,...
Definition: DeclFriend.h:54
static FriendDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned FriendTypeNumTPLists)
Definition: DeclFriend.cpp:63
Declaration of a friend template.
static FriendTemplateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
static DefaultedOrDeletedFunctionInfo * Create(ASTContext &Context, ArrayRef< DeclAccessPair > Lookups, StringLiteral *DeletedMessage=nullptr)
Definition: Decl.cpp:3103
Represents a function declaration or definition.
Definition: Decl.h:1935
void setDescribedFunctionTemplate(FunctionTemplateDecl *Template)
Definition: Decl.cpp:4057
FunctionTemplateDecl * getDescribedFunctionTemplate() const
Retrieves the function template that is described by this function declaration.
Definition: Decl.cpp:4052
void setIsPureVirtual(bool P=true)
Definition: Decl.cpp:3262
void setDefaultedOrDeletedInfo(DefaultedOrDeletedFunctionInfo *Info)
Definition: Decl.cpp:3124
void setFriendConstraintRefersToEnclosingTemplate(bool V=true)
Definition: Decl.h:2577
void setHasSkippedBody(bool Skipped=true)
Definition: Decl.h:2556
static FunctionDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5437
void setUsesSEHTry(bool UST)
Definition: Decl.h:2447
void setIsMultiVersion(bool V=true)
Sets the multiversion state for this declaration and all of its redeclarations.
Definition: Decl.h:2571
void setHasWrittenPrototype(bool P=true)
State that this function has a written prototype.
Definition: Decl.h:2381
bool isExplicitlyDefaulted() const
Whether this function is explicitly defaulted.
Definition: Decl.h:2317
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this function is an instantiation of a member function of a class template specialization,...
Definition: Decl.cpp:4031
FunctionTemplateSpecializationInfo * getTemplateSpecializationInfo() const
If this function is actually a function template specialization, retrieve information about this func...
Definition: Decl.cpp:4182
void setDefaultLoc(SourceLocation NewLoc)
Definition: Decl.h:2330
void setInlineSpecified(bool I)
Set whether the "inline" keyword was specified for this function.
Definition: Decl.h:2777
TemplatedKind
The kind of templated function a FunctionDecl can be.
Definition: Decl.h:1940
@ TK_MemberSpecialization
Definition: Decl.h:1947
@ TK_DependentNonTemplate
Definition: Decl.h:1956
@ TK_FunctionTemplateSpecialization
Definition: Decl.h:1951
@ TK_DependentFunctionTemplateSpecialization
Definition: Decl.h:1954
void setTrivial(bool IT)
Definition: Decl.h:2306
TemplatedKind getTemplatedKind() const
What kind of templated function this is.
Definition: Decl.cpp:4003
void setInstantiatedFromDecl(FunctionDecl *FD)
Specify that this function declaration was instantiated from a FunctionDecl FD.
Definition: Decl.cpp:4070
bool isDeletedAsWritten() const
Definition: Decl.h:2472
void setHasInheritedPrototype(bool P=true)
State that this function inherited its prototype from a previous declaration.
Definition: Decl.h:2393
void setDependentTemplateSpecialization(ASTContext &Context, const UnresolvedSetImpl &Templates, const TemplateArgumentListInfo *TemplateArgs)
Specifies that this function declaration is actually a dependent function template specialization.
Definition: Decl.cpp:4236
void setVirtualAsWritten(bool V)
State that this function is marked as virtual explicitly.
Definition: Decl.h:2284
void setLateTemplateParsed(bool ILT=true)
State that this templated function will be late parsed.
Definition: Decl.h:2297
void setImplicitlyInline(bool I=true)
Flag that this function is implicitly inline.
Definition: Decl.h:2791
void setTrivialForCall(bool IT)
Definition: Decl.h:2309
bool isDefaulted() const
Whether this function is defaulted.
Definition: Decl.h:2313
void setIneligibleOrNotSelected(bool II)
Definition: Decl.h:2349
void setConstexprKind(ConstexprSpecKind CSK)
Definition: Decl.h:2401
void setDefaulted(bool D=true)
Definition: Decl.h:2314
void setStorageClass(StorageClass SClass)
Sets the storage class as written in the source.
Definition: Decl.h:2768
void setDeletedAsWritten(bool D=true, StringLiteral *Message=nullptr)
Definition: Decl.cpp:3133
void setExplicitlyDefaulted(bool ED=true)
State that this function is explicitly defaulted.
Definition: Decl.h:2322
void setHasImplicitReturnZero(bool IRZ)
State that falling off this function implicitly returns null/zero.
Definition: Decl.h:2363
Represents a prototype with parameter type info, e.g.
Definition: Type.h:5107
ExceptionSpecificationType getExceptionSpecType() const
Get the kind of exception specification on this function.
Definition: Type.h:5387
Declaration of a template function.
Definition: DeclTemplate.h:959
static FunctionTemplateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Create an empty function template node.
Provides information about a function template specialization, which is a FunctionDecl that has been ...
Definition: DeclTemplate.h:472
static FunctionTemplateSpecializationInfo * Create(ASTContext &C, FunctionDecl *FD, FunctionTemplateDecl *Template, TemplateSpecializationKind TSK, TemplateArgumentList *TemplateArgs, const TemplateArgumentListInfo *TemplateArgsAsWritten, SourceLocation POI, MemberSpecializationInfo *MSInfo)
void Profile(llvm::FoldingSetNodeID &ID)
Definition: DeclTemplate.h:604
FunctionDecl * getFunction() const
Retrieve the declaration of the function template specialization.
Definition: DeclTemplate.h:524
FunctionType - C99 6.7.5.3 - Function Declarators.
Definition: Type.h:4321
QualType getReturnType() const
Definition: Type.h:4648
HLSLBufferDecl - Represent a cbuffer or tbuffer declaration.
Definition: Decl.h:4949
static HLSLBufferDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5692
One of these records is kept for each identifier that is lexed.
void setOutOfDate(bool OOD)
Set whether the information for this identifier is out of date with respect to the external source.
bool isOutOfDate() const
Determine whether the information for this identifier is out of date with respect to the external sou...
iterator - Iterate over the decls of a specified declaration name.
IdentifierResolver - Keeps track of shadowed decls on enclosing scopes.
iterator begin(DeclarationName Name)
Returns an iterator over decls with the name 'Name'.
bool tryAddTopLevelDecl(NamedDecl *D, DeclarationName Name)
Try to add the given declaration to the top level scope, if it (or a redeclaration of it) hasn't alre...
iterator end()
Returns the end iterator.
static ImplicitConceptSpecializationDecl * CreateDeserialized(const ASTContext &C, GlobalDeclID ID, unsigned NumTemplateArgs)
static ImplicitParamDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5418
Describes a module import declaration, which makes the contents of the named module visible in the cu...
Definition: Decl.h:4808
static ImportDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NumLocations)
Create a new, deserialized module import declaration.
Definition: Decl.cpp:5749
Represents a field injected from an anonymous union/struct into the parent scope.
Definition: Decl.h:3335
static IndirectFieldDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5514
void setInherited(bool I)
Definition: Attr.h:155
Description of a constructor that was inherited from a base class.
Definition: DeclCXX.h:2524
Represents the declaration of a label.
Definition: Decl.h:503
static LabelDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5378
Describes the capture of a variable or of this, or of a C++1y init-capture.
Definition: LambdaCapture.h:25
LambdaCaptureKind getCaptureKind() const
Determine the kind of capture.
Definition: ExprCXX.cpp:1245
Implicit declaration of a temporary that was materialized by a MaterializeTemporaryExpr and lifetime-...
Definition: DeclCXX.h:3252
unsigned getManglingNumber() const
Definition: DeclCXX.h:3301
static LifetimeExtendedTemporaryDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.h:3282
Represents a linkage specification.
Definition: DeclCXX.h:2957
static LinkageSpecDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3081
Represents the results of name lookup.
Definition: Lookup.h:46
A global _GUID constant.
Definition: DeclCXX.h:4312
An instance of this class represents the declaration of a property member.
Definition: DeclCXX.h:4258
static MSPropertyDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3539
Provides information a specialization of a member of a class template, which may be a member function...
Definition: DeclTemplate.h:620
void setPointOfInstantiation(SourceLocation POI)
Set the first point of instantiation.
Definition: DeclTemplate.h:665
Provides common interface for the Decls that cannot be redeclared, but can be merged if the same decl...
Definition: Redeclarable.h:313
Describes a module or submodule.
Definition: Module.h:115
@ AllVisible
All of the names in this module are visible.
Definition: Module.h:418
std::string Name
The name of this module.
Definition: Module.h:118
bool isGlobalModule() const
Does this Module scope describe a fragment of the global module within some C++ module.
Definition: Module.h:210
@ ModuleMapModule
This is a module that was defined by a module map and built out of header files.
Definition: Module.h:129
bool isNamedModule() const
Does this Module is a named module of a standard named module?
Definition: Module.h:195
Module * getTopLevelModule()
Retrieve the top-level module for this (sub)module, which may be this module.
Definition: Module.h:693
This represents a decl that may have a name.
Definition: Decl.h:253
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
Definition: Decl.h:274
bool isPlaceholderVar(const LangOptions &LangOpts) const
Definition: Decl.cpp:1089
DeclarationName getDeclName() const
Get the actual, stored name of the declaration, which may be a special name.
Definition: Decl.h:319
void setDeclName(DeclarationName N)
Set the name of this declaration.
Definition: Decl.h:322
Represents a C++ namespace alias.
Definition: DeclCXX.h:3143
static NamespaceAliasDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3182
Represent a C++ namespace.
Definition: Decl.h:551
static NamespaceDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3136
NonTypeTemplateParmDecl - Declares a non-type template parameter, e.g., "Size" in.
static NonTypeTemplateParmDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, bool HasTypeConstraint)
This represents '#pragma omp allocate ...' directive.
Definition: DeclOpenMP.h:474
static OMPAllocateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NVars, unsigned NClauses)
Definition: DeclOpenMP.cpp:66
Pseudo declaration for capturing expressions.
Definition: DeclOpenMP.h:383
static OMPCapturedExprDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclOpenMP.cpp:183
This represents '#pragma omp declare mapper ...' directive.
Definition: DeclOpenMP.h:287
static OMPDeclareMapperDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned N)
Creates deserialized declare mapper node.
Definition: DeclOpenMP.cpp:152
This represents '#pragma omp declare reduction ...' directive.
Definition: DeclOpenMP.h:177
static OMPDeclareReductionDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Create deserialized declare reduction node.
Definition: DeclOpenMP.cpp:122
This represents '#pragma omp requires...' directive.
Definition: DeclOpenMP.h:417
static OMPRequiresDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned N)
Create deserialized requires node.
Definition: DeclOpenMP.cpp:93
This represents '#pragma omp threadprivate ...' directive.
Definition: DeclOpenMP.h:110
static OMPThreadPrivateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned N)
Definition: DeclOpenMP.cpp:38
Helper data structure representing the traits in a match clause of an declare variant or metadirectiv...
Represents a field declaration created by an @defs(...).
Definition: DeclObjC.h:2029
static ObjCAtDefsFieldDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:1915
ObjCCategoryDecl - Represents a category declaration.
Definition: DeclObjC.h:2328
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
Definition: DeclObjC.h:2390
static ObjCCategoryDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2149
void setIvarLBraceLoc(SourceLocation Loc)
Definition: DeclObjC.h:2462
void setCategoryNameLoc(SourceLocation Loc)
Definition: DeclObjC.h:2460
void setIvarRBraceLoc(SourceLocation Loc)
Definition: DeclObjC.h:2464
bool IsClassExtension() const
Definition: DeclObjC.h:2436
ObjCCategoryImplDecl - An object of this class encapsulates a category @implementation declaration.
Definition: DeclObjC.h:2544
static ObjCCategoryImplDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2191
ObjCCompatibleAliasDecl - Represents alias of a class.
Definition: DeclObjC.h:2774
static ObjCCompatibleAliasDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2341
void setClassInterface(ObjCInterfaceDecl *D)
Definition: DeclObjC.h:2794
ObjCContainerDecl - Represents a container for method declarations.
Definition: DeclObjC.h:947
void setAtStartLoc(SourceLocation Loc)
Definition: DeclObjC.h:1097
void setAtEndRange(SourceRange atEnd)
Definition: DeclObjC.h:1104
ObjCImplementationDecl - Represents a class definition - this is where method definitions are specifi...
Definition: DeclObjC.h:2596
static ObjCImplementationDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2298
Represents an ObjC class declaration.
Definition: DeclObjC.h:1153
void mergeClassExtensionProtocolList(ObjCProtocolDecl *const *List, unsigned Num, ASTContext &C)
mergeClassExtensionProtocolList - Merge class extension's protocol list into the protocol list for th...
Definition: DeclObjC.cpp:440
ObjCIvarDecl * lookupInstanceVariable(IdentifierInfo *IVarName, ObjCInterfaceDecl *&ClassDeclared)
Definition: DeclObjC.cpp:635
static ObjCInterfaceDecl * CreateDeserialized(const ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:1552
ObjCInterfaceDecl * getCanonicalDecl() override
Retrieves the canonical declaration of this Objective-C class.
Definition: DeclObjC.h:1914
ObjCIvarDecl - Represents an ObjC instance variable.
Definition: DeclObjC.h:1951
void setAccessControl(AccessControl ac)
Definition: DeclObjC.h:1997
void setNextIvar(ObjCIvarDecl *ivar)
Definition: DeclObjC.h:1988
ObjCInterfaceDecl * getContainingInterface()
Return the class interface that this ivar is logically contained in; this is either the interface whe...
Definition: DeclObjC.cpp:1873
void setSynthesize(bool synth)
Definition: DeclObjC.h:2005
static ObjCIvarDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:1867
ObjCMethodDecl - Represents an instance or class method declaration.
Definition: DeclObjC.h:140
void setSynthesizedAccessorStub(bool isSynthesizedAccessorStub)
Definition: DeclObjC.h:448
void setObjCDeclQualifier(ObjCDeclQualifier QV)
Definition: DeclObjC.h:250
void setDefined(bool isDefined)
Definition: DeclObjC.h:453
void setSelfDecl(ImplicitParamDecl *SD)
Definition: DeclObjC.h:419
void setReturnTypeSourceInfo(TypeSourceInfo *TInfo)
Definition: DeclObjC.h:344
void setHasRedeclaration(bool HRD) const
Definition: DeclObjC.h:272
void setIsRedeclaration(bool RD)
Definition: DeclObjC.h:267
void setCmdDecl(ImplicitParamDecl *CD)
Definition: DeclObjC.h:421
bool hasRedeclaration() const
True if redeclared in the same interface.
Definition: DeclObjC.h:271
void setRelatedResultType(bool RRT=true)
Note whether this method has a related result type.
Definition: DeclObjC.h:261
void setOverriding(bool IsOver)
Definition: DeclObjC.h:463
void setPropertyAccessor(bool isAccessor)
Definition: DeclObjC.h:440
void setDeclImplementation(ObjCImplementationControl ic)
Definition: DeclObjC.h:496
void setReturnType(QualType T)
Definition: DeclObjC.h:330
static ObjCMethodDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:863
void setHasSkippedBody(bool Skipped=true)
Definition: DeclObjC.h:478
void setInstanceMethod(bool isInst)
Definition: DeclObjC.h:427
void setVariadic(bool isVar)
Definition: DeclObjC.h:432
Represents one property declaration in an Objective-C interface.
Definition: DeclObjC.h:730
static ObjCPropertyDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2361
ObjCPropertyImplDecl - Represents implementation declaration of a property in a class or category imp...
Definition: DeclObjC.h:2804
static ObjCPropertyImplDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:2395
Represents an Objective-C protocol declaration.
Definition: DeclObjC.h:2083
static ObjCProtocolDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclObjC.cpp:1950
ObjCProtocolDecl * getCanonicalDecl() override
Retrieves the canonical declaration of this Objective-C protocol.
Definition: DeclObjC.h:2296
Represents the declaration of an Objective-C type parameter.
Definition: DeclObjC.h:578
static ObjCTypeParamDecl * CreateDeserialized(ASTContext &ctx, GlobalDeclID ID)
Definition: DeclObjC.cpp:1487
Stores a list of Objective-C type parameters for a parameterized class or a category/extension thereo...
Definition: DeclObjC.h:659
static ObjCTypeParamList * create(ASTContext &ctx, SourceLocation lAngleLoc, ArrayRef< ObjCTypeParamDecl * > typeParams, SourceLocation rAngleLoc)
Create a new Objective-C type parameter list.
Definition: DeclObjC.cpp:1518
Represents a parameter to a function.
Definition: Decl.h:1725
static ParmVarDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:2939
void setUninstantiatedDefaultArg(Expr *arg)
Definition: Decl.cpp:3012
void setScopeInfo(unsigned scopeDepth, unsigned parameterIndex)
Definition: Decl.h:1758
void setObjCMethodScopeInfo(unsigned parameterIndex)
Definition: Decl.h:1753
Represents a #pragma comment line.
Definition: Decl.h:146
static PragmaCommentDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned ArgSize)
Definition: Decl.cpp:5325
Represents a #pragma detect_mismatch line.
Definition: Decl.h:180
static PragmaDetectMismatchDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NameValueSize)
Definition: Decl.cpp:5351
A (possibly-)qualified type.
Definition: Type.h:929
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition: Type.h:996
const Type * getTypePtrOrNull() const
Definition: Type.h:7940
Represents a struct/union/class.
Definition: Decl.h:4162
unsigned getODRHash()
Get precomputed ODRHash or add a new one.
Definition: Decl.cpp:5228
void setAnonymousStructOrUnion(bool Anon)
Definition: Decl.h:4218
void setArgPassingRestrictions(RecordArgPassingKind Kind)
Definition: Decl.h:4308
void setNonTrivialToPrimitiveCopy(bool V)
Definition: Decl.h:4252
void setHasNonTrivialToPrimitiveCopyCUnion(bool V)
Definition: Decl.h:4284
void setHasNonTrivialToPrimitiveDestructCUnion(bool V)
Definition: Decl.h:4276
void setHasFlexibleArrayMember(bool V)
Definition: Decl.h:4199
void setParamDestroyedInCallee(bool V)
Definition: Decl.h:4316
void setNonTrivialToPrimitiveDestroy(bool V)
Definition: Decl.h:4260
void setHasObjectMember(bool val)
Definition: Decl.h:4223
void setHasVolatileMember(bool val)
Definition: Decl.h:4227
void setHasNonTrivialToPrimitiveDefaultInitializeCUnion(bool V)
Definition: Decl.h:4268
static RecordDecl * CreateDeserialized(const ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5052
void setHasUninitializedExplicitInitFields(bool V)
Definition: Decl.h:4292
void setNonTrivialToPrimitiveDefaultInitialize(bool V)
Definition: Decl.h:4244
Declaration of a redeclarable template.
Definition: DeclTemplate.h:721
CommonBase * Common
Pointer to the common data shared by all declarations of this template.
Definition: DeclTemplate.h:812
virtual CommonBase * newCommon(ASTContext &C) const =0
Provides common interface for the Decls that can be redeclared.
Definition: Redeclarable.h:84
decl_type * getPreviousDecl()
Return the previous declaration of this declaration or NULL if this is the first declaration.
Definition: Redeclarable.h:203
bool isFirstDecl() const
True if this is the first declaration in its redeclaration chain.
Definition: Redeclarable.h:222
static DeclLink PreviousDeclLink(decl_type *D)
Definition: Redeclarable.h:164
Represents the body of a requires-expression.
Definition: DeclCXX.h:2047
static RequiresExprBodyDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:2313
const FunctionDecl * getKernelEntryPointDecl() const
Encodes a location in the source.
A trivial tuple used to represent a source range.
Represents a C++11 static_assert declaration.
Definition: DeclCXX.h:4081
static StaticAssertDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3447
StringLiteral - This represents a string literal expression, e.g.
Definition: Expr.h:1778
Represents the declaration of a struct/union/class/enum.
Definition: Decl.h:3578
void setTagKind(TagKind TK)
Definition: Decl.h:3777
void setCompleteDefinitionRequired(bool V=true)
True if this complete decl is required to be complete for some existing use.
Definition: Decl.h:3696
void demoteThisDefinitionToDeclaration()
Mark a definition as a declaration and maintain information it was a definition.
Definition: Decl.h:3745
bool isThisDeclarationADefinition() const
Return true if this declaration is a completion definition of the type.
Definition: Decl.h:3676
void setEmbeddedInDeclarator(bool isInDeclarator)
True if this tag declaration is "embedded" (i.e., defined or declared for the very first time) in the...
Definition: Decl.h:3711
bool isCompleteDefinition() const
Return true if this decl has its body fully specified.
Definition: Decl.h:3681
TagDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Definition: Decl.cpp:4751
void setFreeStanding(bool isFreeStanding=true)
True if this tag is free standing, e.g. "struct foo;".
Definition: Decl.h:3719
void setBraceRange(SourceRange R)
Definition: Decl.h:3658
void setCompleteDefinition(bool V=true)
True if this decl has its body fully specified.
Definition: Decl.h:3684
A convenient class for passing around template argument information.
Definition: TemplateBase.h:632
A template argument list.
Definition: DeclTemplate.h:250
static TemplateArgumentList * CreateCopy(ASTContext &Context, ArrayRef< TemplateArgument > Args)
Create a new template argument list that copies the given set of template arguments.
The base class of all kinds of template declarations (e.g., class, function, etc.).
Definition: DeclTemplate.h:399
NamedDecl * getTemplatedDecl() const
Get the underlying, templated declaration.
Definition: DeclTemplate.h:431
TemplateParameterList * getTemplateParameters() const
Get the list of template parameters.
Definition: DeclTemplate.h:418
A template parameter object.
Stores a list of template parameters for a TemplateDecl and its derived classes.
Definition: DeclTemplate.h:73
TemplateTemplateParmDecl - Declares a template template parameter, e.g., "T" in.
static TemplateTemplateParmDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Declaration of a template type parameter.
static TemplateTypeParmDecl * CreateDeserialized(const ASTContext &C, GlobalDeclID ID)
A declaration that models statements at global scope.
Definition: Decl.h:4459
static TopLevelStmtDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5637
The top declaration context.
Definition: Decl.h:84
Represents the declaration of a typedef-name via a C++11 alias-declaration.
Definition: Decl.h:3549
static TypeAliasDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5588
void setDescribedAliasTemplate(TypeAliasTemplateDecl *TAT)
Definition: Decl.h:3568
Declaration of an alias template.
static TypeAliasTemplateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Create an empty alias template node.
Represents a declaration of a type.
Definition: Decl.h:3384
void setLocStart(SourceLocation L)
Definition: Decl.h:3413
A container of type source information.
Definition: Type.h:7907
QualType getType() const
Return the type wrapped by this type source info.
Definition: Type.h:7918
const T * castAs() const
Member-template castAs<specific type>.
Definition: Type.h:8805
AutoType * getContainedAutoType() const
Get the AutoType whose type will be deduced for a variable with an initializer of this type.
Definition: Type.h:2811
DeducedType * getContainedDeducedType() const
Get the DeducedType whose type will be deduced for a variable with an initializer of this type.
Definition: Type.cpp:2045
const T * getAs() const
Member-template getAs<specific type>'.
Definition: Type.h:8736
Represents the declaration of a typedef-name via the 'typedef' type specifier.
Definition: Decl.h:3528
static TypedefDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:5575
Base class for declarations which introduce a typedef-name.
Definition: Decl.h:3427
void setModedTypeSourceInfo(TypeSourceInfo *unmodedTSI, QualType modedTy)
Definition: Decl.h:3492
void setTypeSourceInfo(TypeSourceInfo *newType)
Definition: Decl.h:3488
An artificial decl, representing a global anonymous constant value which is uniquified by value withi...
Definition: DeclCXX.h:4369
void addDecl(NamedDecl *D)
Definition: UnresolvedSet.h:92
A set of unresolved declarations.
This node is generated when a using-declaration that was annotated with attribute((using_if_exists)) ...
Definition: DeclCXX.h:4063
static UnresolvedUsingIfExistsDecl * CreateDeserialized(ASTContext &Ctx, GlobalDeclID ID)
Definition: DeclCXX.cpp:3423
Represents a dependent using declaration which was marked with typename.
Definition: DeclCXX.h:3982
static UnresolvedUsingTypenameDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3409
Represents a dependent using declaration which was not marked with typename.
Definition: DeclCXX.h:3885
static UnresolvedUsingValueDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3379
Represents a C++ using-declaration.
Definition: DeclCXX.h:3535
static UsingDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3310
Represents C++ using-directive.
Definition: DeclCXX.h:3038
static UsingDirectiveDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3103
Represents a C++ using-enum-declaration.
Definition: DeclCXX.h:3736
static UsingEnumDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3334
Represents a pack of using declarations that a single using-declarator pack-expanded into.
Definition: DeclCXX.h:3817
static UsingPackDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID, unsigned NumExpansions)
Definition: DeclCXX.cpp:3354
Represents a shadow declaration implicitly introduced into a scope by a (resolved) using-declaration ...
Definition: DeclCXX.h:3343
static UsingShadowDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: DeclCXX.cpp:3238
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
Definition: Decl.h:671
void setType(QualType newType)
Definition: Decl.h:683
Represents a variable declaration or definition.
Definition: Decl.h:882
ParmVarDeclBitfields ParmVarDeclBits
Definition: Decl.h:1075
static VarDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Definition: Decl.cpp:2146
VarDeclBitfields VarDeclBits
Definition: Decl.h:1074
EvaluatedStmt * ensureEvaluatedStmt() const
Convert the initializer for this declaration to the elaborated EvaluatedStmt form,...
Definition: Decl.cpp:2529
NonParmVarDeclBitfields NonParmVarDeclBits
Definition: Decl.h:1076
@ Definition
This declaration is definitely a definition.
Definition: Decl.h:1252
void setDescribedVarTemplate(VarTemplateDecl *Template)
Definition: Decl.cpp:2791
StorageClass getStorageClass() const
Returns the storage class as written in the source.
Definition: Decl.h:1119
Declaration of a variable template.
static VarTemplateDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Create an empty variable template node.
static VarTemplatePartialSpecializationDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
Represents a variable template specialization, which refers to a variable template with a given set o...
static VarTemplateSpecializationDecl * CreateDeserialized(ASTContext &C, GlobalDeclID ID)
RetTy Visit(PTR(Decl) D)
Definition: DeclVisitor.h:37
Source location and bit offset of a declaration.
Definition: ASTBitCodes.h:252
RawLocEncoding getRawLoc() const
Definition: ASTBitCodes.h:271
uint64_t getBitOffset(const uint64_t DeclTypesBlockStartOffset) const
Definition: ASTBitCodes.h:277
Information about a module that has been loaded by the ASTReader.
Definition: ModuleFile.h:130
const serialization::ObjCCategoriesInfo * ObjCCategoriesMap
Array of category list location information within this module file, sorted by the definition ID.
Definition: ModuleFile.h:469
unsigned LocalNumObjCCategoriesInMap
The number of redeclaration info entries in ObjCCategoriesMap.
Definition: ModuleFile.h:472
llvm::BitstreamCursor DeclsCursor
DeclsCursor - This is a cursor to the start of the DECLTYPES_BLOCK block.
Definition: ModuleFile.h:448
uint64_t GlobalBitOffset
The global bit offset (or base) of this module.
Definition: ModuleFile.h:216
const DeclOffset * DeclOffsets
Offset of each declaration within the bitstream, indexed by the declaration ID (-1).
Definition: ModuleFile.h:458
unsigned Generation
The generation of which this module file is a part.
Definition: ModuleFile.h:206
uint64_t DeclsBlockStartOffset
The offset to the start of the DECLTYPES_BLOCK block.
Definition: ModuleFile.h:451
SmallVector< uint64_t, 1 > ObjCCategories
The Objective-C category lists for categories known to this module.
Definition: ModuleFile.h:476
void visit(llvm::function_ref< bool(ModuleFile &M)> Visitor, llvm::SmallPtrSetImpl< ModuleFile * > *ModuleFilesHit=nullptr)
Visit each of the modules.
Class that performs name lookup into a DeclContext stored in an AST file.
const unsigned int LOCAL_REDECLARATIONS
Record code for a list of local redeclarations of a declaration.
Definition: ASTBitCodes.h:1219
DeclCode
Record codes for each kind of declaration.
Definition: ASTBitCodes.h:1227
const unsigned int DECL_UPDATES
Record of updates for a declaration that was modified after being deserialized.
Definition: ASTBitCodes.h:1215
@ DECL_EMPTY
An EmptyDecl record.
Definition: ASTBitCodes.h:1475
@ DECL_CAPTURED
A CapturedDecl record.
Definition: ASTBitCodes.h:1316
@ DECL_CXX_BASE_SPECIFIERS
A record containing CXXBaseSpecifiers.
Definition: ASTBitCodes.h:1446
@ DECL_CXX_RECORD
A CXXRecordDecl record.
Definition: ASTBitCodes.h:1377
@ DECL_VAR_TEMPLATE_PARTIAL_SPECIALIZATION
A VarTemplatePartialSpecializationDecl record.
Definition: ASTBitCodes.h:1419
@ DECL_OMP_ALLOCATE
An OMPAllocateDcl record.
Definition: ASTBitCodes.h:1472
@ DECL_MS_PROPERTY
A MSPropertyDecl record.
Definition: ASTBitCodes.h:1283
@ DECL_OMP_DECLARE_MAPPER
An OMPDeclareMapperDecl record.
Definition: ASTBitCodes.h:1496
@ DECL_TOP_LEVEL_STMT_DECL
A TopLevelStmtDecl record.
Definition: ASTBitCodes.h:1310
@ DECL_REQUIRES_EXPR_BODY
A RequiresExprBodyDecl record.
Definition: ASTBitCodes.h:1481
@ DECL_STATIC_ASSERT
A StaticAssertDecl record.
Definition: ASTBitCodes.h:1443
@ DECL_INDIRECTFIELD
A IndirectFieldDecl record.
Definition: ASTBitCodes.h:1452
@ DECL_TEMPLATE_TEMPLATE_PARM
A TemplateTemplateParmDecl record.
Definition: ASTBitCodes.h:1431
@ DECL_IMPORT
An ImportDecl recording a module import.
Definition: ASTBitCodes.h:1463
@ DECL_UNNAMED_GLOBAL_CONSTANT
A UnnamedGlobalConstantDecl record.
Definition: ASTBitCodes.h:1502
@ DECL_ACCESS_SPEC
An AccessSpecDecl record.
Definition: ASTBitCodes.h:1395
@ DECL_OBJC_TYPE_PARAM
An ObjCTypeParamDecl record.
Definition: ASTBitCodes.h:1484
@ DECL_OBJC_CATEGORY_IMPL
A ObjCCategoryImplDecl record.
Definition: ASTBitCodes.h:1265
@ DECL_ENUM_CONSTANT
An EnumConstantDecl record.
Definition: ASTBitCodes.h:1241
@ DECL_PARM_VAR
A ParmVarDecl record.
Definition: ASTBitCodes.h:1298
@ DECL_TYPEDEF
A TypedefDecl record.
Definition: ASTBitCodes.h:1229
@ DECL_EXPANDED_TEMPLATE_TEMPLATE_PARM_PACK
A TemplateTemplateParmDecl record that stores an expanded template template parameter pack.
Definition: ASTBitCodes.h:1460
@ DECL_HLSL_BUFFER
A HLSLBufferDecl record.
Definition: ASTBitCodes.h:1505
@ DECL_NAMESPACE_ALIAS
A NamespaceAliasDecl record.
Definition: ASTBitCodes.h:1344
@ DECL_TYPEALIAS
A TypeAliasDecl record.
Definition: ASTBitCodes.h:1232
@ DECL_FUNCTION_TEMPLATE
A FunctionTemplateDecl record.
Definition: ASTBitCodes.h:1422
@ DECL_MS_GUID
A MSGuidDecl record.
Definition: ASTBitCodes.h:1286
@ DECL_UNRESOLVED_USING_TYPENAME
An UnresolvedUsingTypenameDecl record.
Definition: ASTBitCodes.h:1368
@ DECL_CLASS_TEMPLATE_SPECIALIZATION
A ClassTemplateSpecializationDecl record.
Definition: ASTBitCodes.h:1407
@ DECL_FILE_SCOPE_ASM
A FileScopeAsmDecl record.
Definition: ASTBitCodes.h:1307
@ DECL_CXX_CONSTRUCTOR
A CXXConstructorDecl record.
Definition: ASTBitCodes.h:1386
@ DECL_CXX_CONVERSION
A CXXConversionDecl record.
Definition: ASTBitCodes.h:1392
@ DECL_FIELD
A FieldDecl record.
Definition: ASTBitCodes.h:1280
@ DECL_LINKAGE_SPEC
A LinkageSpecDecl record.
Definition: ASTBitCodes.h:1371
@ DECL_NAMESPACE
A NamespaceDecl record.
Definition: ASTBitCodes.h:1341
@ DECL_NON_TYPE_TEMPLATE_PARM
A NonTypeTemplateParmDecl record.
Definition: ASTBitCodes.h:1428
@ DECL_USING_PACK
A UsingPackDecl record.
Definition: ASTBitCodes.h:1353
@ DECL_FUNCTION
A FunctionDecl record.
Definition: ASTBitCodes.h:1244
@ DECL_USING_DIRECTIVE
A UsingDirecitveDecl record.
Definition: ASTBitCodes.h:1362
@ DECL_RECORD
A RecordDecl record.
Definition: ASTBitCodes.h:1238
@ DECL_CONTEXT_LEXICAL
A record that stores the set of declarations that are lexically stored within a given DeclContext.
Definition: ASTBitCodes.h:1326
@ DECL_BLOCK
A BlockDecl record.
Definition: ASTBitCodes.h:1313
@ DECL_UNRESOLVED_USING_VALUE
An UnresolvedUsingValueDecl record.
Definition: ASTBitCodes.h:1365
@ DECL_TYPE_ALIAS_TEMPLATE
A TypeAliasTemplateDecl record.
Definition: ASTBitCodes.h:1434
@ DECL_CXX_CTOR_INITIALIZERS
A record containing CXXCtorInitializers.
Definition: ASTBitCodes.h:1449
@ DECL_OBJC_CATEGORY
A ObjCCategoryDecl record.
Definition: ASTBitCodes.h:1262
@ DECL_VAR
A VarDecl record.
Definition: ASTBitCodes.h:1292
@ DECL_UNRESOLVED_USING_IF_EXISTS
An UnresolvedUsingIfExistsDecl record.
Definition: ASTBitCodes.h:1440
@ DECL_USING
A UsingDecl record.
Definition: ASTBitCodes.h:1347
@ DECL_OBJC_PROTOCOL
A ObjCProtocolDecl record.
Definition: ASTBitCodes.h:1253
@ DECL_TEMPLATE_TYPE_PARM
A TemplateTypeParmDecl record.
Definition: ASTBitCodes.h:1425
@ DECL_VAR_TEMPLATE_SPECIALIZATION
A VarTemplateSpecializationDecl record.
Definition: ASTBitCodes.h:1416
@ DECL_OBJC_IMPLEMENTATION
A ObjCImplementationDecl record.
Definition: ASTBitCodes.h:1268
@ DECL_LABEL
A LabelDecl record.
Definition: ASTBitCodes.h:1338
@ DECL_OBJC_COMPATIBLE_ALIAS
A ObjCCompatibleAliasDecl record.
Definition: ASTBitCodes.h:1271
@ DECL_CONSTRUCTOR_USING_SHADOW
A ConstructorUsingShadowDecl record.
Definition: ASTBitCodes.h:1359
@ DECL_USING_ENUM
A UsingEnumDecl record.
Definition: ASTBitCodes.h:1350
@ DECL_FRIEND_TEMPLATE
A FriendTemplateDecl record.
Definition: ASTBitCodes.h:1401
@ DECL_PRAGMA_DETECT_MISMATCH
A PragmaDetectMismatchDecl record.
Definition: ASTBitCodes.h:1493
@ DECL_EXPANDED_NON_TYPE_TEMPLATE_PARM_PACK
A NonTypeTemplateParmDecl record that stores an expanded non-type template parameter pack.
Definition: ASTBitCodes.h:1456
@ DECL_OBJC_AT_DEFS_FIELD
A ObjCAtDefsFieldDecl record.
Definition: ASTBitCodes.h:1259
@ DECL_IMPLICIT_PARAM
An ImplicitParamDecl record.
Definition: ASTBitCodes.h:1295
@ DECL_FRIEND
A FriendDecl record.
Definition: ASTBitCodes.h:1398
@ DECL_CXX_METHOD
A CXXMethodDecl record.
Definition: ASTBitCodes.h:1383
@ DECL_EXPORT
An ExportDecl record.
Definition: ASTBitCodes.h:1374
@ DECL_BINDING
A BindingDecl record.
Definition: ASTBitCodes.h:1304
@ DECL_PRAGMA_COMMENT
A PragmaCommentDecl record.
Definition: ASTBitCodes.h:1490
@ DECL_ENUM
An EnumDecl record.
Definition: ASTBitCodes.h:1235
@ DECL_DECOMPOSITION
A DecompositionDecl record.
Definition: ASTBitCodes.h:1301
@ DECL_OMP_DECLARE_REDUCTION
An OMPDeclareReductionDecl record.
Definition: ASTBitCodes.h:1499
@ DECL_OMP_THREADPRIVATE
An OMPThreadPrivateDecl record.
Definition: ASTBitCodes.h:1466
@ DECL_OBJC_METHOD
A ObjCMethodDecl record.
Definition: ASTBitCodes.h:1247
@ DECL_CXX_DESTRUCTOR
A CXXDestructorDecl record.
Definition: ASTBitCodes.h:1389
@ DECL_OMP_CAPTUREDEXPR
An OMPCapturedExprDecl record.
Definition: ASTBitCodes.h:1487
@ DECL_CLASS_TEMPLATE
A ClassTemplateDecl record.
Definition: ASTBitCodes.h:1404
@ DECL_USING_SHADOW
A UsingShadowDecl record.
Definition: ASTBitCodes.h:1356
@ DECL_CONCEPT
A ConceptDecl record.
Definition: ASTBitCodes.h:1437
@ DECL_CXX_DEDUCTION_GUIDE
A CXXDeductionGuideDecl record.
Definition: ASTBitCodes.h:1380
@ DECL_OMP_REQUIRES
An OMPRequiresDecl record.
Definition: ASTBitCodes.h:1469
@ DECL_OBJC_IVAR
A ObjCIvarDecl record.
Definition: ASTBitCodes.h:1256
@ DECL_OBJC_PROPERTY
A ObjCPropertyDecl record.
Definition: ASTBitCodes.h:1274
@ DECL_TEMPLATE_PARAM_OBJECT
A TemplateParamObjectDecl record.
Definition: ASTBitCodes.h:1289
@ DECL_OBJC_INTERFACE
A ObjCInterfaceDecl record.
Definition: ASTBitCodes.h:1250
@ DECL_VAR_TEMPLATE
A VarTemplateDecl record.
Definition: ASTBitCodes.h:1413
@ DECL_LIFETIME_EXTENDED_TEMPORARY
An LifetimeExtendedTemporaryDecl record.
Definition: ASTBitCodes.h:1478
@ DECL_CLASS_TEMPLATE_PARTIAL_SPECIALIZATION
A ClassTemplatePartialSpecializationDecl record.
Definition: ASTBitCodes.h:1410
@ DECL_IMPLICIT_CONCEPT_SPECIALIZATION
An ImplicitConceptSpecializationDecl record.
Definition: ASTBitCodes.h:1508
@ DECL_CONTEXT_VISIBLE
A record that stores the set of declarations that are visible from a given DeclContext.
Definition: ASTBitCodes.h:1335
@ DECL_OBJC_PROPERTY_IMPL
A ObjCPropertyImplDecl record.
Definition: ASTBitCodes.h:1277
Defines the Linkage enumeration and various utility functions.
const internal::VariadicAllOfMatcher< Decl > decl
Matches declarations.
ComparisonCategoryResult Compare(const T &X, const T &Y)
Helper to compare two comparable types.
Definition: Primitives.h:25
uint64_t TypeID
An ID number that refers to a type in an AST file.
Definition: ASTBitCodes.h:88
uint32_t SubmoduleID
An ID number that refers to a submodule in a module file.
Definition: ASTBitCodes.h:185
bool needsAnonymousDeclarationNumber(const NamedDecl *D)
Determine whether the given declaration needs an anonymous declaration number.
Definition: ASTCommon.cpp:472
void numberAnonymousDeclsWithin(const DeclContext *DC, Fn Visit)
Visit each declaration within DC that needs an anonymous declaration number and call Visit with the d...
Definition: ASTCommon.h:72
bool isPartOfPerModuleInitializer(const Decl *D)
Determine whether the given declaration will be included in the per-module initializer if it needs to...
Definition: ASTCommon.h:92
@ UPD_CXX_INSTANTIATED_DEFAULT_MEMBER_INITIALIZER
Definition: ASTCommon.h:33
@ UPD_DECL_MARKED_OPENMP_DECLARETARGET
Definition: ASTCommon.h:42
@ UPD_CXX_POINT_OF_INSTANTIATION
Definition: ASTCommon.h:30
@ UPD_CXX_RESOLVED_EXCEPTION_SPEC
Definition: ASTCommon.h:35
@ UPD_CXX_ADDED_FUNCTION_DEFINITION
Definition: ASTCommon.h:28
@ UPD_DECL_MARKED_OPENMP_THREADPRIVATE
Definition: ASTCommon.h:40
@ UPD_CXX_INSTANTIATED_DEFAULT_ARGUMENT
Definition: ASTCommon.h:32
@ UPD_DECL_MARKED_OPENMP_ALLOCATE
Definition: ASTCommon.h:41
@ UPD_CXX_ADDED_ANONYMOUS_NAMESPACE
Definition: ASTCommon.h:27
@ UPD_CXX_INSTANTIATED_CLASS_DEFINITION
Definition: ASTCommon.h:31
The JSON file list parser is used to communicate input to InstallAPI.
SelectorLocationsKind
Whether all locations of the selector identifiers are in a "standard" position.
PragmaMSCommentKind
Definition: PragmaKinds.h:14
bool isUnresolvedExceptionSpec(ExceptionSpecificationType ESpecType)
ConstexprSpecKind
Define the kind of constexpr specifier.
Definition: Specifiers.h:35
LinkageSpecLanguageIDs
Represents the language in a linkage specification.
Definition: DeclCXX.h:2949
LazyOffsetPtr< Stmt, uint64_t, &ExternalASTSource::GetExternalDeclStmt > LazyDeclStmtPtr
A lazy pointer to a statement.
LambdaCaptureKind
The different capture forms in a lambda introducer.
Definition: Lambda.h:33
@ LCK_ByCopy
Capturing by copy (a.k.a., by value)
Definition: Lambda.h:36
@ LCK_ByRef
Capturing by reference.
Definition: Lambda.h:37
@ LCK_VLAType
Capturing variable-length array type.
Definition: Lambda.h:38
@ LCK_StarThis
Capturing the *this object by copy.
Definition: Lambda.h:35
@ LCK_This
Capturing the *this object by reference.
Definition: Lambda.h:34
OMPDeclareReductionInitKind
Definition: DeclOpenMP.h:161
StorageClass
Storage classes.
Definition: Specifiers.h:248
@ SC_Extern
Definition: Specifiers.h:251
Linkage
Describes the different kinds of linkage (C++ [basic.link], C99 6.2.2) that an entity may have.
Definition: Linkage.h:24
@ None
No linkage, which means that the entity is unique and can only be referred to from within its scope.
@ Result
The result type of a method or function.
TagTypeKind
The kind of a tag type.
Definition: Type.h:6876
ObjCImplementationControl
Definition: DeclObjC.h:118
RecordArgPassingKind
Enum that represents the different ways arguments are passed to and returned from function calls.
Definition: Decl.h:4139
static bool isUndeducedReturnType(QualType T)
bool operator!=(CanQual< T > x, CanQual< U > y)
@ LCD_None
Definition: Lambda.h:23
for(const auto &A :T->param_types())
const FunctionProtoType * T
DeductionCandidate
Only used by CXXDeductionGuideDecl.
Definition: DeclBase.h:1407
bool shouldSkipCheckingODR(const Decl *D)
Definition: ASTReader.h:2605
bool declaresSameEntity(const Decl *D1, const Decl *D2)
Determine whether two declarations declare the same entity.
Definition: DeclBase.h:1274
TemplateSpecializationKind
Describes the kind of template specialization that a particular template specialization declaration r...
Definition: Specifiers.h:188
@ Interface
The "__interface" keyword introduces the elaborated-type-specifier.
@ Class
The "class" keyword introduces the elaborated-type-specifier.
@ Other
Other implicit parameter.
AccessSpecifier
A C++ access specifier (public, private, protected), plus the special value "none" which means differ...
Definition: Specifiers.h:123
unsigned long uint64_t
Structure used to store a statement, the constant value to which it was evaluated (if any),...
Definition: Decl.h:847
bool HasConstantDestruction
Whether this variable is known to have constant destruction.
Definition: Decl.h:865
bool WasEvaluated
Whether this statement was already evaluated.
Definition: Decl.h:849
LazyDeclStmtPtr Value
Definition: Decl.h:872
APValue Evaluated
Definition: Decl.h:873
bool HasConstantInitialization
Whether this variable is known to have constant initialization.
Definition: Decl.h:858
Provides information about an explicit instantiation of a variable or class template.
SourceLocation ExternKeywordLoc
The location of the extern keyword.
Data that is common to all of the declarations of a given function template.
Definition: DeclTemplate.h:965
llvm::FoldingSetVector< FunctionTemplateSpecializationInfo > Specializations
The function template specializations for this function template, including explicit specializations ...
Definition: DeclTemplate.h:968
A struct with extended info about a syntactic name qualifier, to be used for the case of out-of-line ...
Definition: Decl.h:708
Helper class that saves the current stream position and then restores it when destroyed.
llvm::DenseSet< std::tuple< Decl *, Decl *, int > > NonEquivalentDeclSet
Store declaration pairs already found to be non-equivalent.
Describes the categories of an Objective-C class.
Definition: ASTBitCodes.h:2065