Home | History | Annotate | Line # | Download | only in Serialization
      1 //===- ASTReader.h - AST File Reader ----------------------------*- C++ -*-===//
      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 defines the ASTReader class, which reads AST files.
     10 //
     11 //===----------------------------------------------------------------------===//
     12 
     13 #ifndef LLVM_CLANG_SERIALIZATION_ASTREADER_H
     14 #define LLVM_CLANG_SERIALIZATION_ASTREADER_H
     15 
     16 #include "clang/AST/Type.h"
     17 #include "clang/Basic/Diagnostic.h"
     18 #include "clang/Basic/DiagnosticOptions.h"
     19 #include "clang/Basic/IdentifierTable.h"
     20 #include "clang/Basic/OpenCLOptions.h"
     21 #include "clang/Basic/SourceLocation.h"
     22 #include "clang/Basic/Version.h"
     23 #include "clang/Lex/ExternalPreprocessorSource.h"
     24 #include "clang/Lex/HeaderSearch.h"
     25 #include "clang/Lex/PreprocessingRecord.h"
     26 #include "clang/Lex/PreprocessorOptions.h"
     27 #include "clang/Sema/ExternalSemaSource.h"
     28 #include "clang/Sema/IdentifierResolver.h"
     29 #include "clang/Sema/Sema.h"
     30 #include "clang/Serialization/ASTBitCodes.h"
     31 #include "clang/Serialization/ContinuousRangeMap.h"
     32 #include "clang/Serialization/ModuleFile.h"
     33 #include "clang/Serialization/ModuleFileExtension.h"
     34 #include "clang/Serialization/ModuleManager.h"
     35 #include "llvm/ADT/ArrayRef.h"
     36 #include "llvm/ADT/DenseMap.h"
     37 #include "llvm/ADT/DenseSet.h"
     38 #include "llvm/ADT/IntrusiveRefCntPtr.h"
     39 #include "llvm/ADT/MapVector.h"
     40 #include "llvm/ADT/Optional.h"
     41 #include "llvm/ADT/STLExtras.h"
     42 #include "llvm/ADT/SetVector.h"
     43 #include "llvm/ADT/SmallPtrSet.h"
     44 #include "llvm/ADT/SmallVector.h"
     45 #include "llvm/ADT/StringMap.h"
     46 #include "llvm/ADT/StringRef.h"
     47 #include "llvm/ADT/iterator.h"
     48 #include "llvm/ADT/iterator_range.h"
     49 #include "llvm/Bitstream/BitstreamReader.h"
     50 #include "llvm/Support/MemoryBuffer.h"
     51 #include "llvm/Support/Timer.h"
     52 #include "llvm/Support/VersionTuple.h"
     53 #include <cassert>
     54 #include <cstddef>
     55 #include <cstdint>
     56 #include <ctime>
     57 #include <deque>
     58 #include <memory>
     59 #include <set>
     60 #include <string>
     61 #include <utility>
     62 #include <vector>
     63 
     64 namespace clang {
     65 
     66 class ASTConsumer;
     67 class ASTContext;
     68 class ASTDeserializationListener;
     69 class ASTReader;
     70 class ASTRecordReader;
     71 class CXXTemporary;
     72 class Decl;
     73 class DeclarationName;
     74 class DeclaratorDecl;
     75 class DeclContext;
     76 class EnumDecl;
     77 class Expr;
     78 class FieldDecl;
     79 class FileEntry;
     80 class FileManager;
     81 class FileSystemOptions;
     82 class FunctionDecl;
     83 class GlobalModuleIndex;
     84 struct HeaderFileInfo;
     85 class HeaderSearchOptions;
     86 class LangOptions;
     87 class LazyASTUnresolvedSet;
     88 class MacroInfo;
     89 class InMemoryModuleCache;
     90 class NamedDecl;
     91 class NamespaceDecl;
     92 class ObjCCategoryDecl;
     93 class ObjCInterfaceDecl;
     94 class PCHContainerReader;
     95 class Preprocessor;
     96 class PreprocessorOptions;
     97 struct QualifierInfo;
     98 class Sema;
     99 class SourceManager;
    100 class Stmt;
    101 class SwitchCase;
    102 class TargetOptions;
    103 class Token;
    104 class TypedefNameDecl;
    105 class ValueDecl;
    106 class VarDecl;
    107 
    108 /// Abstract interface for callback invocations by the ASTReader.
    109 ///
    110 /// While reading an AST file, the ASTReader will call the methods of the
    111 /// listener to pass on specific information. Some of the listener methods can
    112 /// return true to indicate to the ASTReader that the information (and
    113 /// consequently the AST file) is invalid.
    114 class ASTReaderListener {
    115 public:
    116   virtual ~ASTReaderListener();
    117 
    118   /// Receives the full Clang version information.
    119   ///
    120   /// \returns true to indicate that the version is invalid. Subclasses should
    121   /// generally defer to this implementation.
    122   virtual bool ReadFullVersionInformation(StringRef FullVersion) {
    123     return FullVersion != getClangFullRepositoryVersion();
    124   }
    125 
    126   virtual void ReadModuleName(StringRef ModuleName) {}
    127   virtual void ReadModuleMapFile(StringRef ModuleMapPath) {}
    128 
    129   /// Receives the language options.
    130   ///
    131   /// \returns true to indicate the options are invalid or false otherwise.
    132   virtual bool ReadLanguageOptions(const LangOptions &LangOpts,
    133                                    bool Complain,
    134                                    bool AllowCompatibleDifferences) {
    135     return false;
    136   }
    137 
    138   /// Receives the target options.
    139   ///
    140   /// \returns true to indicate the target options are invalid, or false
    141   /// otherwise.
    142   virtual bool ReadTargetOptions(const TargetOptions &TargetOpts, bool Complain,
    143                                  bool AllowCompatibleDifferences) {
    144     return false;
    145   }
    146 
    147   /// Receives the diagnostic options.
    148   ///
    149   /// \returns true to indicate the diagnostic options are invalid, or false
    150   /// otherwise.
    151   virtual bool
    152   ReadDiagnosticOptions(IntrusiveRefCntPtr<DiagnosticOptions> DiagOpts,
    153                         bool Complain) {
    154     return false;
    155   }
    156 
    157   /// Receives the file system options.
    158   ///
    159   /// \returns true to indicate the file system options are invalid, or false
    160   /// otherwise.
    161   virtual bool ReadFileSystemOptions(const FileSystemOptions &FSOpts,
    162                                      bool Complain) {
    163     return false;
    164   }
    165 
    166   /// Receives the header search options.
    167   ///
    168   /// \returns true to indicate the header search options are invalid, or false
    169   /// otherwise.
    170   virtual bool ReadHeaderSearchOptions(const HeaderSearchOptions &HSOpts,
    171                                        StringRef SpecificModuleCachePath,
    172                                        bool Complain) {
    173     return false;
    174   }
    175 
    176   /// Receives the preprocessor options.
    177   ///
    178   /// \param SuggestedPredefines Can be filled in with the set of predefines
    179   /// that are suggested by the preprocessor options. Typically only used when
    180   /// loading a precompiled header.
    181   ///
    182   /// \returns true to indicate the preprocessor options are invalid, or false
    183   /// otherwise.
    184   virtual bool ReadPreprocessorOptions(const PreprocessorOptions &PPOpts,
    185                                        bool Complain,
    186                                        std::string &SuggestedPredefines) {
    187     return false;
    188   }
    189 
    190   /// Receives __COUNTER__ value.
    191   virtual void ReadCounter(const serialization::ModuleFile &M,
    192                            unsigned Value) {}
    193 
    194   /// This is called for each AST file loaded.
    195   virtual void visitModuleFile(StringRef Filename,
    196                                serialization::ModuleKind Kind) {}
    197 
    198   /// Returns true if this \c ASTReaderListener wants to receive the
    199   /// input files of the AST file via \c visitInputFile, false otherwise.
    200   virtual bool needsInputFileVisitation() { return false; }
    201 
    202   /// Returns true if this \c ASTReaderListener wants to receive the
    203   /// system input files of the AST file via \c visitInputFile, false otherwise.
    204   virtual bool needsSystemInputFileVisitation() { return false; }
    205 
    206   /// if \c needsInputFileVisitation returns true, this is called for
    207   /// each non-system input file of the AST File. If
    208   /// \c needsSystemInputFileVisitation is true, then it is called for all
    209   /// system input files as well.
    210   ///
    211   /// \returns true to continue receiving the next input file, false to stop.
    212   virtual bool visitInputFile(StringRef Filename, bool isSystem,
    213                               bool isOverridden, bool isExplicitModule) {
    214     return true;
    215   }
    216 
    217   /// Returns true if this \c ASTReaderListener wants to receive the
    218   /// imports of the AST file via \c visitImport, false otherwise.
    219   virtual bool needsImportVisitation() const { return false; }
    220 
    221   /// If needsImportVisitation returns \c true, this is called for each
    222   /// AST file imported by this AST file.
    223   virtual void visitImport(StringRef ModuleName, StringRef Filename) {}
    224 
    225   /// Indicates that a particular module file extension has been read.
    226   virtual void readModuleFileExtension(
    227                  const ModuleFileExtensionMetadata &Metadata) {}
    228 };
    229 
    230 /// Simple wrapper class for chaining listeners.
    231 class ChainedASTReaderListener : public ASTReaderListener {
    232   std::unique_ptr<ASTReaderListener> First;
    233   std::unique_ptr<ASTReaderListener> Second;
    234 
    235 public:
    236   /// Takes ownership of \p First and \p Second.
    237   ChainedASTReaderListener(std::unique_ptr<ASTReaderListener> First,
    238                            std::unique_ptr<ASTReaderListener> Second)
    239       : First(std::move(First)), Second(std::move(Second)) {}
    240 
    241   std::unique_ptr<ASTReaderListener> takeFirst() { return std::move(First); }
    242   std::unique_ptr<ASTReaderListener> takeSecond() { return std::move(Second); }
    243 
    244   bool ReadFullVersionInformation(StringRef FullVersion) override;
    245   void ReadModuleName(StringRef ModuleName) override;
    246   void ReadModuleMapFile(StringRef ModuleMapPath) override;
    247   bool ReadLanguageOptions(const LangOptions &LangOpts, bool Complain,
    248                            bool AllowCompatibleDifferences) override;
    249   bool ReadTargetOptions(const TargetOptions &TargetOpts, bool Complain,
    250                          bool AllowCompatibleDifferences) override;
    251   bool ReadDiagnosticOptions(IntrusiveRefCntPtr<DiagnosticOptions> DiagOpts,
    252                              bool Complain) override;
    253   bool ReadFileSystemOptions(const FileSystemOptions &FSOpts,
    254                              bool Complain) override;
    255 
    256   bool ReadHeaderSearchOptions(const HeaderSearchOptions &HSOpts,
    257                                StringRef SpecificModuleCachePath,
    258                                bool Complain) override;
    259   bool ReadPreprocessorOptions(const PreprocessorOptions &PPOpts,
    260                                bool Complain,
    261                                std::string &SuggestedPredefines) override;
    262 
    263   void ReadCounter(const serialization::ModuleFile &M, unsigned Value) override;
    264   bool needsInputFileVisitation() override;
    265   bool needsSystemInputFileVisitation() override;
    266   void visitModuleFile(StringRef Filename,
    267                        serialization::ModuleKind Kind) override;
    268   bool visitInputFile(StringRef Filename, bool isSystem,
    269                       bool isOverridden, bool isExplicitModule) override;
    270   void readModuleFileExtension(
    271          const ModuleFileExtensionMetadata &Metadata) override;
    272 };
    273 
    274 /// ASTReaderListener implementation to validate the information of
    275 /// the PCH file against an initialized Preprocessor.
    276 class PCHValidator : public ASTReaderListener {
    277   Preprocessor &PP;
    278   ASTReader &Reader;
    279 
    280 public:
    281   PCHValidator(Preprocessor &PP, ASTReader &Reader)
    282       : PP(PP), Reader(Reader) {}
    283 
    284   bool ReadLanguageOptions(const LangOptions &LangOpts, bool Complain,
    285                            bool AllowCompatibleDifferences) override;
    286   bool ReadTargetOptions(const TargetOptions &TargetOpts, bool Complain,
    287                          bool AllowCompatibleDifferences) override;
    288   bool ReadDiagnosticOptions(IntrusiveRefCntPtr<DiagnosticOptions> DiagOpts,
    289                              bool Complain) override;
    290   bool ReadPreprocessorOptions(const PreprocessorOptions &PPOpts, bool Complain,
    291                                std::string &SuggestedPredefines) override;
    292   bool ReadHeaderSearchOptions(const HeaderSearchOptions &HSOpts,
    293                                StringRef SpecificModuleCachePath,
    294                                bool Complain) override;
    295   void ReadCounter(const serialization::ModuleFile &M, unsigned Value) override;
    296 
    297 private:
    298   void Error(const char *Msg);
    299 };
    300 
    301 /// ASTReaderListenter implementation to set SuggestedPredefines of
    302 /// ASTReader which is required to use a pch file. This is the replacement
    303 /// of PCHValidator or SimplePCHValidator when using a pch file without
    304 /// validating it.
    305 class SimpleASTReaderListener : public ASTReaderListener {
    306   Preprocessor &PP;
    307 
    308 public:
    309   SimpleASTReaderListener(Preprocessor &PP) : PP(PP) {}
    310 
    311   bool ReadPreprocessorOptions(const PreprocessorOptions &PPOpts, bool Complain,
    312                                std::string &SuggestedPredefines) override;
    313 };
    314 
    315 namespace serialization {
    316 
    317 class ReadMethodPoolVisitor;
    318 
    319 namespace reader {
    320 
    321 class ASTIdentifierLookupTrait;
    322 
    323 /// The on-disk hash table(s) used for DeclContext name lookup.
    324 struct DeclContextLookupTable;
    325 
    326 } // namespace reader
    327 
    328 } // namespace serialization
    329 
    330 /// Reads an AST files chain containing the contents of a translation
    331 /// unit.
    332 ///
    333 /// The ASTReader class reads bitstreams (produced by the ASTWriter
    334 /// class) containing the serialized representation of a given
    335 /// abstract syntax tree and its supporting data structures. An
    336 /// instance of the ASTReader can be attached to an ASTContext object,
    337 /// which will provide access to the contents of the AST files.
    338 ///
    339 /// The AST reader provides lazy de-serialization of declarations, as
    340 /// required when traversing the AST. Only those AST nodes that are
    341 /// actually required will be de-serialized.
    342 class ASTReader
    343   : public ExternalPreprocessorSource,
    344     public ExternalPreprocessingRecordSource,
    345     public ExternalHeaderFileInfoSource,
    346     public ExternalSemaSource,
    347     public IdentifierInfoLookup,
    348     public ExternalSLocEntrySource
    349 {
    350 public:
    351   /// Types of AST files.
    352   friend class ASTDeclReader;
    353   friend class ASTIdentifierIterator;
    354   friend class ASTRecordReader;
    355   friend class ASTUnit; // ASTUnit needs to remap source locations.
    356   friend class ASTWriter;
    357   friend class PCHValidator;
    358   friend class serialization::reader::ASTIdentifierLookupTrait;
    359   friend class serialization::ReadMethodPoolVisitor;
    360   friend class TypeLocReader;
    361 
    362   using RecordData = SmallVector<uint64_t, 64>;
    363   using RecordDataImpl = SmallVectorImpl<uint64_t>;
    364 
    365   /// The result of reading the control block of an AST file, which
    366   /// can fail for various reasons.
    367   enum ASTReadResult {
    368     /// The control block was read successfully. Aside from failures,
    369     /// the AST file is safe to read into the current context.
    370     Success,
    371 
    372     /// The AST file itself appears corrupted.
    373     Failure,
    374 
    375     /// The AST file was missing.
    376     Missing,
    377 
    378     /// The AST file is out-of-date relative to its input files,
    379     /// and needs to be regenerated.
    380     OutOfDate,
    381 
    382     /// The AST file was written by a different version of Clang.
    383     VersionMismatch,
    384 
    385     /// The AST file was writtten with a different language/target
    386     /// configuration.
    387     ConfigurationMismatch,
    388 
    389     /// The AST file has errors.
    390     HadErrors
    391   };
    392 
    393   using ModuleFile = serialization::ModuleFile;
    394   using ModuleKind = serialization::ModuleKind;
    395   using ModuleManager = serialization::ModuleManager;
    396   using ModuleIterator = ModuleManager::ModuleIterator;
    397   using ModuleConstIterator = ModuleManager::ModuleConstIterator;
    398   using ModuleReverseIterator = ModuleManager::ModuleReverseIterator;
    399 
    400 private:
    401   /// The receiver of some callbacks invoked by ASTReader.
    402   std::unique_ptr<ASTReaderListener> Listener;
    403 
    404   /// The receiver of deserialization events.
    405   ASTDeserializationListener *DeserializationListener = nullptr;
    406 
    407   bool OwnsDeserializationListener = false;
    408 
    409   SourceManager &SourceMgr;
    410   FileManager &FileMgr;
    411   const PCHContainerReader &PCHContainerRdr;
    412   DiagnosticsEngine &Diags;
    413 
    414   /// The semantic analysis object that will be processing the
    415   /// AST files and the translation unit that uses it.
    416   Sema *SemaObj = nullptr;
    417 
    418   /// The preprocessor that will be loading the source file.
    419   Preprocessor &PP;
    420 
    421   /// The AST context into which we'll read the AST files.
    422   ASTContext *ContextObj = nullptr;
    423 
    424   /// The AST consumer.
    425   ASTConsumer *Consumer = nullptr;
    426 
    427   /// The module manager which manages modules and their dependencies
    428   ModuleManager ModuleMgr;
    429 
    430   /// A dummy identifier resolver used to merge TU-scope declarations in
    431   /// C, for the cases where we don't have a Sema object to provide a real
    432   /// identifier resolver.
    433   IdentifierResolver DummyIdResolver;
    434 
    435   /// A mapping from extension block names to module file extensions.
    436   llvm::StringMap<std::shared_ptr<ModuleFileExtension>> ModuleFileExtensions;
    437 
    438   /// A timer used to track the time spent deserializing.
    439   std::unique_ptr<llvm::Timer> ReadTimer;
    440 
    441   /// The location where the module file will be considered as
    442   /// imported from. For non-module AST types it should be invalid.
    443   SourceLocation CurrentImportLoc;
    444 
    445   /// The module kind that is currently deserializing.
    446   Optional<ModuleKind> CurrentDeserializingModuleKind;
    447 
    448   /// The global module index, if loaded.
    449   std::unique_ptr<GlobalModuleIndex> GlobalIndex;
    450 
    451   /// A map of global bit offsets to the module that stores entities
    452   /// at those bit offsets.
    453   ContinuousRangeMap<uint64_t, ModuleFile*, 4> GlobalBitOffsetsMap;
    454 
    455   /// A map of negated SLocEntryIDs to the modules containing them.
    456   ContinuousRangeMap<unsigned, ModuleFile*, 64> GlobalSLocEntryMap;
    457 
    458   using GlobalSLocOffsetMapType =
    459       ContinuousRangeMap<unsigned, ModuleFile *, 64>;
    460 
    461   /// A map of reversed (SourceManager::MaxLoadedOffset - SLocOffset)
    462   /// SourceLocation offsets to the modules containing them.
    463   GlobalSLocOffsetMapType GlobalSLocOffsetMap;
    464 
    465   /// Types that have already been loaded from the chain.
    466   ///
    467   /// When the pointer at index I is non-NULL, the type with
    468   /// ID = (I + 1) << FastQual::Width has already been loaded
    469   std::vector<QualType> TypesLoaded;
    470 
    471   using GlobalTypeMapType =
    472       ContinuousRangeMap<serialization::TypeID, ModuleFile *, 4>;
    473 
    474   /// Mapping from global type IDs to the module in which the
    475   /// type resides along with the offset that should be added to the
    476   /// global type ID to produce a local ID.
    477   GlobalTypeMapType GlobalTypeMap;
    478 
    479   /// Declarations that have already been loaded from the chain.
    480   ///
    481   /// When the pointer at index I is non-NULL, the declaration with ID
    482   /// = I + 1 has already been loaded.
    483   std::vector<Decl *> DeclsLoaded;
    484 
    485   using GlobalDeclMapType =
    486       ContinuousRangeMap<serialization::DeclID, ModuleFile *, 4>;
    487 
    488   /// Mapping from global declaration IDs to the module in which the
    489   /// declaration resides.
    490   GlobalDeclMapType GlobalDeclMap;
    491 
    492   using FileOffset = std::pair<ModuleFile *, uint64_t>;
    493   using FileOffsetsTy = SmallVector<FileOffset, 2>;
    494   using DeclUpdateOffsetsMap =
    495       llvm::DenseMap<serialization::DeclID, FileOffsetsTy>;
    496 
    497   /// Declarations that have modifications residing in a later file
    498   /// in the chain.
    499   DeclUpdateOffsetsMap DeclUpdateOffsets;
    500 
    501   struct PendingUpdateRecord {
    502     Decl *D;
    503     serialization::GlobalDeclID ID;
    504 
    505     // Whether the declaration was just deserialized.
    506     bool JustLoaded;
    507 
    508     PendingUpdateRecord(serialization::GlobalDeclID ID, Decl *D,
    509                         bool JustLoaded)
    510         : D(D), ID(ID), JustLoaded(JustLoaded) {}
    511   };
    512 
    513   /// Declaration updates for already-loaded declarations that we need
    514   /// to apply once we finish processing an import.
    515   llvm::SmallVector<PendingUpdateRecord, 16> PendingUpdateRecords;
    516 
    517   enum class PendingFakeDefinitionKind { NotFake, Fake, FakeLoaded };
    518 
    519   /// The DefinitionData pointers that we faked up for class definitions
    520   /// that we needed but hadn't loaded yet.
    521   llvm::DenseMap<void *, PendingFakeDefinitionKind> PendingFakeDefinitionData;
    522 
    523   /// Exception specification updates that have been loaded but not yet
    524   /// propagated across the relevant redeclaration chain. The map key is the
    525   /// canonical declaration (used only for deduplication) and the value is a
    526   /// declaration that has an exception specification.
    527   llvm::SmallMapVector<Decl *, FunctionDecl *, 4> PendingExceptionSpecUpdates;
    528 
    529   /// Deduced return type updates that have been loaded but not yet propagated
    530   /// across the relevant redeclaration chain. The map key is the canonical
    531   /// declaration and the value is the deduced return type.
    532   llvm::SmallMapVector<FunctionDecl *, QualType, 4> PendingDeducedTypeUpdates;
    533 
    534   /// Declarations that have been imported and have typedef names for
    535   /// linkage purposes.
    536   llvm::DenseMap<std::pair<DeclContext *, IdentifierInfo *>, NamedDecl *>
    537       ImportedTypedefNamesForLinkage;
    538 
    539   /// Mergeable declaration contexts that have anonymous declarations
    540   /// within them, and those anonymous declarations.
    541   llvm::DenseMap<Decl*, llvm::SmallVector<NamedDecl*, 2>>
    542     AnonymousDeclarationsForMerging;
    543 
    544   /// Key used to identify LifetimeExtendedTemporaryDecl for merging,
    545   /// containing the lifetime-extending declaration and the mangling number.
    546   using LETemporaryKey = std::pair<Decl *, unsigned>;
    547 
    548   /// Map of already deserialiazed temporaries.
    549   llvm::DenseMap<LETemporaryKey, LifetimeExtendedTemporaryDecl *>
    550       LETemporaryForMerging;
    551 
    552   struct FileDeclsInfo {
    553     ModuleFile *Mod = nullptr;
    554     ArrayRef<serialization::LocalDeclID> Decls;
    555 
    556     FileDeclsInfo() = default;
    557     FileDeclsInfo(ModuleFile *Mod, ArrayRef<serialization::LocalDeclID> Decls)
    558         : Mod(Mod), Decls(Decls) {}
    559   };
    560 
    561   /// Map from a FileID to the file-level declarations that it contains.
    562   llvm::DenseMap<FileID, FileDeclsInfo> FileDeclIDs;
    563 
    564   /// An array of lexical contents of a declaration context, as a sequence of
    565   /// Decl::Kind, DeclID pairs.
    566   using LexicalContents = ArrayRef<llvm::support::unaligned_uint32_t>;
    567 
    568   /// Map from a DeclContext to its lexical contents.
    569   llvm::DenseMap<const DeclContext*, std::pair<ModuleFile*, LexicalContents>>
    570       LexicalDecls;
    571 
    572   /// Map from the TU to its lexical contents from each module file.
    573   std::vector<std::pair<ModuleFile*, LexicalContents>> TULexicalDecls;
    574 
    575   /// Map from a DeclContext to its lookup tables.
    576   llvm::DenseMap<const DeclContext *,
    577                  serialization::reader::DeclContextLookupTable> Lookups;
    578 
    579   // Updates for visible decls can occur for other contexts than just the
    580   // TU, and when we read those update records, the actual context may not
    581   // be available yet, so have this pending map using the ID as a key. It
    582   // will be realized when the context is actually loaded.
    583   struct PendingVisibleUpdate {
    584     ModuleFile *Mod;
    585     const unsigned char *Data;
    586   };
    587   using DeclContextVisibleUpdates = SmallVector<PendingVisibleUpdate, 1>;
    588 
    589   /// Updates to the visible declarations of declaration contexts that
    590   /// haven't been loaded yet.
    591   llvm::DenseMap<serialization::DeclID, DeclContextVisibleUpdates>
    592       PendingVisibleUpdates;
    593 
    594   /// The set of C++ or Objective-C classes that have forward
    595   /// declarations that have not yet been linked to their definitions.
    596   llvm::SmallPtrSet<Decl *, 4> PendingDefinitions;
    597 
    598   using PendingBodiesMap =
    599       llvm::MapVector<Decl *, uint64_t,
    600                       llvm::SmallDenseMap<Decl *, unsigned, 4>,
    601                       SmallVector<std::pair<Decl *, uint64_t>, 4>>;
    602 
    603   /// Functions or methods that have bodies that will be attached.
    604   PendingBodiesMap PendingBodies;
    605 
    606   /// Definitions for which we have added merged definitions but not yet
    607   /// performed deduplication.
    608   llvm::SetVector<NamedDecl *> PendingMergedDefinitionsToDeduplicate;
    609 
    610   /// Read the record that describes the lexical contents of a DC.
    611   bool ReadLexicalDeclContextStorage(ModuleFile &M,
    612                                      llvm::BitstreamCursor &Cursor,
    613                                      uint64_t Offset, DeclContext *DC);
    614 
    615   /// Read the record that describes the visible contents of a DC.
    616   bool ReadVisibleDeclContextStorage(ModuleFile &M,
    617                                      llvm::BitstreamCursor &Cursor,
    618                                      uint64_t Offset, serialization::DeclID ID);
    619 
    620   /// A vector containing identifiers that have already been
    621   /// loaded.
    622   ///
    623   /// If the pointer at index I is non-NULL, then it refers to the
    624   /// IdentifierInfo for the identifier with ID=I+1 that has already
    625   /// been loaded.
    626   std::vector<IdentifierInfo *> IdentifiersLoaded;
    627 
    628   using GlobalIdentifierMapType =
    629       ContinuousRangeMap<serialization::IdentID, ModuleFile *, 4>;
    630 
    631   /// Mapping from global identifier IDs to the module in which the
    632   /// identifier resides along with the offset that should be added to the
    633   /// global identifier ID to produce a local ID.
    634   GlobalIdentifierMapType GlobalIdentifierMap;
    635 
    636   /// A vector containing macros that have already been
    637   /// loaded.
    638   ///
    639   /// If the pointer at index I is non-NULL, then it refers to the
    640   /// MacroInfo for the identifier with ID=I+1 that has already
    641   /// been loaded.
    642   std::vector<MacroInfo *> MacrosLoaded;
    643 
    644   using LoadedMacroInfo =
    645       std::pair<IdentifierInfo *, serialization::SubmoduleID>;
    646 
    647   /// A set of #undef directives that we have loaded; used to
    648   /// deduplicate the same #undef information coming from multiple module
    649   /// files.
    650   llvm::DenseSet<LoadedMacroInfo> LoadedUndefs;
    651 
    652   using GlobalMacroMapType =
    653       ContinuousRangeMap<serialization::MacroID, ModuleFile *, 4>;
    654 
    655   /// Mapping from global macro IDs to the module in which the
    656   /// macro resides along with the offset that should be added to the
    657   /// global macro ID to produce a local ID.
    658   GlobalMacroMapType GlobalMacroMap;
    659 
    660   /// A vector containing submodules that have already been loaded.
    661   ///
    662   /// This vector is indexed by the Submodule ID (-1). NULL submodule entries
    663   /// indicate that the particular submodule ID has not yet been loaded.
    664   SmallVector<Module *, 2> SubmodulesLoaded;
    665 
    666   using GlobalSubmoduleMapType =
    667       ContinuousRangeMap<serialization::SubmoduleID, ModuleFile *, 4>;
    668 
    669   /// Mapping from global submodule IDs to the module file in which the
    670   /// submodule resides along with the offset that should be added to the
    671   /// global submodule ID to produce a local ID.
    672   GlobalSubmoduleMapType GlobalSubmoduleMap;
    673 
    674   /// A set of hidden declarations.
    675   using HiddenNames = SmallVector<Decl *, 2>;
    676   using HiddenNamesMapType = llvm::DenseMap<Module *, HiddenNames>;
    677 
    678   /// A mapping from each of the hidden submodules to the deserialized
    679   /// declarations in that submodule that could be made visible.
    680   HiddenNamesMapType HiddenNamesMap;
    681 
    682   /// A module import, export, or conflict that hasn't yet been resolved.
    683   struct UnresolvedModuleRef {
    684     /// The file in which this module resides.
    685     ModuleFile *File;
    686 
    687     /// The module that is importing or exporting.
    688     Module *Mod;
    689 
    690     /// The kind of module reference.
    691     enum { Import, Export, Conflict } Kind;
    692 
    693     /// The local ID of the module that is being exported.
    694     unsigned ID;
    695 
    696     /// Whether this is a wildcard export.
    697     unsigned IsWildcard : 1;
    698 
    699     /// String data.
    700     StringRef String;
    701   };
    702 
    703   /// The set of module imports and exports that still need to be
    704   /// resolved.
    705   SmallVector<UnresolvedModuleRef, 2> UnresolvedModuleRefs;
    706 
    707   /// A vector containing selectors that have already been loaded.
    708   ///
    709   /// This vector is indexed by the Selector ID (-1). NULL selector
    710   /// entries indicate that the particular selector ID has not yet
    711   /// been loaded.
    712   SmallVector<Selector, 16> SelectorsLoaded;
    713 
    714   using GlobalSelectorMapType =
    715       ContinuousRangeMap<serialization::SelectorID, ModuleFile *, 4>;
    716 
    717   /// Mapping from global selector IDs to the module in which the
    718   /// global selector ID to produce a local ID.
    719   GlobalSelectorMapType GlobalSelectorMap;
    720 
    721   /// The generation number of the last time we loaded data from the
    722   /// global method pool for this selector.
    723   llvm::DenseMap<Selector, unsigned> SelectorGeneration;
    724 
    725   /// Whether a selector is out of date. We mark a selector as out of date
    726   /// if we load another module after the method pool entry was pulled in.
    727   llvm::DenseMap<Selector, bool> SelectorOutOfDate;
    728 
    729   struct PendingMacroInfo {
    730     ModuleFile *M;
    731     /// Offset relative to ModuleFile::MacroOffsetsBase.
    732     uint32_t MacroDirectivesOffset;
    733 
    734     PendingMacroInfo(ModuleFile *M, uint32_t MacroDirectivesOffset)
    735         : M(M), MacroDirectivesOffset(MacroDirectivesOffset) {}
    736   };
    737 
    738   using PendingMacroIDsMap =
    739       llvm::MapVector<IdentifierInfo *, SmallVector<PendingMacroInfo, 2>>;
    740 
    741   /// Mapping from identifiers that have a macro history to the global
    742   /// IDs have not yet been deserialized to the global IDs of those macros.
    743   PendingMacroIDsMap PendingMacroIDs;
    744 
    745   using GlobalPreprocessedEntityMapType =
    746       ContinuousRangeMap<unsigned, ModuleFile *, 4>;
    747 
    748   /// Mapping from global preprocessing entity IDs to the module in
    749   /// which the preprocessed entity resides along with the offset that should be
    750   /// added to the global preprocessing entity ID to produce a local ID.
    751   GlobalPreprocessedEntityMapType GlobalPreprocessedEntityMap;
    752 
    753   using GlobalSkippedRangeMapType =
    754       ContinuousRangeMap<unsigned, ModuleFile *, 4>;
    755 
    756   /// Mapping from global skipped range base IDs to the module in which
    757   /// the skipped ranges reside.
    758   GlobalSkippedRangeMapType GlobalSkippedRangeMap;
    759 
    760   /// \name CodeGen-relevant special data
    761   /// Fields containing data that is relevant to CodeGen.
    762   //@{
    763 
    764   /// The IDs of all declarations that fulfill the criteria of
    765   /// "interesting" decls.
    766   ///
    767   /// This contains the data loaded from all EAGERLY_DESERIALIZED_DECLS blocks
    768   /// in the chain. The referenced declarations are deserialized and passed to
    769   /// the consumer eagerly.
    770   SmallVector<serialization::DeclID, 16> EagerlyDeserializedDecls;
    771 
    772   /// The IDs of all tentative definitions stored in the chain.
    773   ///
    774   /// Sema keeps track of all tentative definitions in a TU because it has to
    775   /// complete them and pass them on to CodeGen. Thus, tentative definitions in
    776   /// the PCH chain must be eagerly deserialized.
    777   SmallVector<serialization::DeclID, 16> TentativeDefinitions;
    778 
    779   /// The IDs of all CXXRecordDecls stored in the chain whose VTables are
    780   /// used.
    781   ///
    782   /// CodeGen has to emit VTables for these records, so they have to be eagerly
    783   /// deserialized.
    784   SmallVector<serialization::DeclID, 64> VTableUses;
    785 
    786   /// A snapshot of the pending instantiations in the chain.
    787   ///
    788   /// This record tracks the instantiations that Sema has to perform at the
    789   /// end of the TU. It consists of a pair of values for every pending
    790   /// instantiation where the first value is the ID of the decl and the second
    791   /// is the instantiation location.
    792   SmallVector<serialization::DeclID, 64> PendingInstantiations;
    793 
    794   //@}
    795 
    796   /// \name DiagnosticsEngine-relevant special data
    797   /// Fields containing data that is used for generating diagnostics
    798   //@{
    799 
    800   /// A snapshot of Sema's unused file-scoped variable tracking, for
    801   /// generating warnings.
    802   SmallVector<serialization::DeclID, 16> UnusedFileScopedDecls;
    803 
    804   /// A list of all the delegating constructors we've seen, to diagnose
    805   /// cycles.
    806   SmallVector<serialization::DeclID, 4> DelegatingCtorDecls;
    807 
    808   /// Method selectors used in a @selector expression. Used for
    809   /// implementation of -Wselector.
    810   SmallVector<serialization::SelectorID, 64> ReferencedSelectorsData;
    811 
    812   /// A snapshot of Sema's weak undeclared identifier tracking, for
    813   /// generating warnings.
    814   SmallVector<serialization::IdentifierID, 64> WeakUndeclaredIdentifiers;
    815 
    816   /// The IDs of type aliases for ext_vectors that exist in the chain.
    817   ///
    818   /// Used by Sema for finding sugared names for ext_vectors in diagnostics.
    819   SmallVector<serialization::DeclID, 4> ExtVectorDecls;
    820 
    821   //@}
    822 
    823   /// \name Sema-relevant special data
    824   /// Fields containing data that is used for semantic analysis
    825   //@{
    826 
    827   /// The IDs of all potentially unused typedef names in the chain.
    828   ///
    829   /// Sema tracks these to emit warnings.
    830   SmallVector<serialization::DeclID, 16> UnusedLocalTypedefNameCandidates;
    831 
    832   /// Our current depth in #pragma cuda force_host_device begin/end
    833   /// macros.
    834   unsigned ForceCUDAHostDeviceDepth = 0;
    835 
    836   /// The IDs of the declarations Sema stores directly.
    837   ///
    838   /// Sema tracks a few important decls, such as namespace std, directly.
    839   SmallVector<serialization::DeclID, 4> SemaDeclRefs;
    840 
    841   /// The IDs of the types ASTContext stores directly.
    842   ///
    843   /// The AST context tracks a few important types, such as va_list, directly.
    844   SmallVector<serialization::TypeID, 16> SpecialTypes;
    845 
    846   /// The IDs of CUDA-specific declarations ASTContext stores directly.
    847   ///
    848   /// The AST context tracks a few important decls, currently cudaConfigureCall,
    849   /// directly.
    850   SmallVector<serialization::DeclID, 2> CUDASpecialDeclRefs;
    851 
    852   /// The floating point pragma option settings.
    853   SmallVector<uint64_t, 1> FPPragmaOptions;
    854 
    855   /// The pragma clang optimize location (if the pragma state is "off").
    856   SourceLocation OptimizeOffPragmaLocation;
    857 
    858   /// The PragmaMSStructKind pragma ms_struct state if set, or -1.
    859   int PragmaMSStructState = -1;
    860 
    861   /// The PragmaMSPointersToMembersKind pragma pointers_to_members state.
    862   int PragmaMSPointersToMembersState = -1;
    863   SourceLocation PointersToMembersPragmaLocation;
    864 
    865   /// The pragma float_control state.
    866   Optional<FPOptionsOverride> FpPragmaCurrentValue;
    867   SourceLocation FpPragmaCurrentLocation;
    868   struct FpPragmaStackEntry {
    869     FPOptionsOverride Value;
    870     SourceLocation Location;
    871     SourceLocation PushLocation;
    872     StringRef SlotLabel;
    873   };
    874   llvm::SmallVector<FpPragmaStackEntry, 2> FpPragmaStack;
    875   llvm::SmallVector<std::string, 2> FpPragmaStrings;
    876 
    877   /// The pragma align/pack state.
    878   Optional<Sema::AlignPackInfo> PragmaAlignPackCurrentValue;
    879   SourceLocation PragmaAlignPackCurrentLocation;
    880   struct PragmaAlignPackStackEntry {
    881     Sema::AlignPackInfo Value;
    882     SourceLocation Location;
    883     SourceLocation PushLocation;
    884     StringRef SlotLabel;
    885   };
    886   llvm::SmallVector<PragmaAlignPackStackEntry, 2> PragmaAlignPackStack;
    887   llvm::SmallVector<std::string, 2> PragmaAlignPackStrings;
    888 
    889   /// The OpenCL extension settings.
    890   OpenCLOptions OpenCLExtensions;
    891 
    892   /// Extensions required by an OpenCL type.
    893   llvm::DenseMap<const Type *, std::set<std::string>> OpenCLTypeExtMap;
    894 
    895   /// Extensions required by an OpenCL declaration.
    896   llvm::DenseMap<const Decl *, std::set<std::string>> OpenCLDeclExtMap;
    897 
    898   /// A list of the namespaces we've seen.
    899   SmallVector<serialization::DeclID, 4> KnownNamespaces;
    900 
    901   /// A list of undefined decls with internal linkage followed by the
    902   /// SourceLocation of a matching ODR-use.
    903   SmallVector<serialization::DeclID, 8> UndefinedButUsed;
    904 
    905   /// Delete expressions to analyze at the end of translation unit.
    906   SmallVector<uint64_t, 8> DelayedDeleteExprs;
    907 
    908   // A list of late parsed template function data with their module files.
    909   SmallVector<std::pair<ModuleFile *, SmallVector<uint64_t, 1>>, 4>
    910       LateParsedTemplates;
    911 
    912   /// The IDs of all decls to be checked for deferred diags.
    913   ///
    914   /// Sema tracks these to emit deferred diags.
    915   llvm::SmallSetVector<serialization::DeclID, 4> DeclsToCheckForDeferredDiags;
    916 
    917 public:
    918   struct ImportedSubmodule {
    919     serialization::SubmoduleID ID;
    920     SourceLocation ImportLoc;
    921 
    922     ImportedSubmodule(serialization::SubmoduleID ID, SourceLocation ImportLoc)
    923         : ID(ID), ImportLoc(ImportLoc) {}
    924   };
    925 
    926 private:
    927   /// A list of modules that were imported by precompiled headers or
    928   /// any other non-module AST file.
    929   SmallVector<ImportedSubmodule, 2> ImportedModules;
    930   //@}
    931 
    932   /// The system include root to be used when loading the
    933   /// precompiled header.
    934   std::string isysroot;
    935 
    936   /// Whether to disable the normal validation performed on precompiled
    937   /// headers and module files when they are loaded.
    938   DisableValidationForModuleKind DisableValidationKind;
    939 
    940   /// Whether to accept an AST file with compiler errors.
    941   bool AllowASTWithCompilerErrors;
    942 
    943   /// Whether to accept an AST file that has a different configuration
    944   /// from the current compiler instance.
    945   bool AllowConfigurationMismatch;
    946 
    947   /// Whether validate system input files.
    948   bool ValidateSystemInputs;
    949 
    950   /// Whether validate headers and module maps using hash based on contents.
    951   bool ValidateASTInputFilesContent;
    952 
    953   /// Whether we are allowed to use the global module index.
    954   bool UseGlobalIndex;
    955 
    956   /// Whether we have tried loading the global module index yet.
    957   bool TriedLoadingGlobalIndex = false;
    958 
    959   ///Whether we are currently processing update records.
    960   bool ProcessingUpdateRecords = false;
    961 
    962   using SwitchCaseMapTy = llvm::DenseMap<unsigned, SwitchCase *>;
    963 
    964   /// Mapping from switch-case IDs in the chain to switch-case statements
    965   ///
    966   /// Statements usually don't have IDs, but switch cases need them, so that the
    967   /// switch statement can refer to them.
    968   SwitchCaseMapTy SwitchCaseStmts;
    969 
    970   SwitchCaseMapTy *CurrSwitchCaseStmts;
    971 
    972   /// The number of source location entries de-serialized from
    973   /// the PCH file.
    974   unsigned NumSLocEntriesRead = 0;
    975 
    976   /// The number of source location entries in the chain.
    977   unsigned TotalNumSLocEntries = 0;
    978 
    979   /// The number of statements (and expressions) de-serialized
    980   /// from the chain.
    981   unsigned NumStatementsRead = 0;
    982 
    983   /// The total number of statements (and expressions) stored
    984   /// in the chain.
    985   unsigned TotalNumStatements = 0;
    986 
    987   /// The number of macros de-serialized from the chain.
    988   unsigned NumMacrosRead = 0;
    989 
    990   /// The total number of macros stored in the chain.
    991   unsigned TotalNumMacros = 0;
    992 
    993   /// The number of lookups into identifier tables.
    994   unsigned NumIdentifierLookups = 0;
    995 
    996   /// The number of lookups into identifier tables that succeed.
    997   unsigned NumIdentifierLookupHits = 0;
    998 
    999   /// The number of selectors that have been read.
   1000   unsigned NumSelectorsRead = 0;
   1001 
   1002   /// The number of method pool entries that have been read.
   1003   unsigned NumMethodPoolEntriesRead = 0;
   1004 
   1005   /// The number of times we have looked up a selector in the method
   1006   /// pool.
   1007   unsigned NumMethodPoolLookups = 0;
   1008 
   1009   /// The number of times we have looked up a selector in the method
   1010   /// pool and found something.
   1011   unsigned NumMethodPoolHits = 0;
   1012 
   1013   /// The number of times we have looked up a selector in the method
   1014   /// pool within a specific module.
   1015   unsigned NumMethodPoolTableLookups = 0;
   1016 
   1017   /// The number of times we have looked up a selector in the method
   1018   /// pool within a specific module and found something.
   1019   unsigned NumMethodPoolTableHits = 0;
   1020 
   1021   /// The total number of method pool entries in the selector table.
   1022   unsigned TotalNumMethodPoolEntries = 0;
   1023 
   1024   /// Number of lexical decl contexts read/total.
   1025   unsigned NumLexicalDeclContextsRead = 0, TotalLexicalDeclContexts = 0;
   1026 
   1027   /// Number of visible decl contexts read/total.
   1028   unsigned NumVisibleDeclContextsRead = 0, TotalVisibleDeclContexts = 0;
   1029 
   1030   /// Total size of modules, in bits, currently loaded
   1031   uint64_t TotalModulesSizeInBits = 0;
   1032 
   1033   /// Number of Decl/types that are currently deserializing.
   1034   unsigned NumCurrentElementsDeserializing = 0;
   1035 
   1036   /// Set true while we are in the process of passing deserialized
   1037   /// "interesting" decls to consumer inside FinishedDeserializing().
   1038   /// This is used as a guard to avoid recursively repeating the process of
   1039   /// passing decls to consumer.
   1040   bool PassingDeclsToConsumer = false;
   1041 
   1042   /// The set of identifiers that were read while the AST reader was
   1043   /// (recursively) loading declarations.
   1044   ///
   1045   /// The declarations on the identifier chain for these identifiers will be
   1046   /// loaded once the recursive loading has completed.
   1047   llvm::MapVector<IdentifierInfo *, SmallVector<uint32_t, 4>>
   1048     PendingIdentifierInfos;
   1049 
   1050   /// The set of lookup results that we have faked in order to support
   1051   /// merging of partially deserialized decls but that we have not yet removed.
   1052   llvm::SmallMapVector<IdentifierInfo *, SmallVector<NamedDecl*, 2>, 16>
   1053     PendingFakeLookupResults;
   1054 
   1055   /// The generation number of each identifier, which keeps track of
   1056   /// the last time we loaded information about this identifier.
   1057   llvm::DenseMap<IdentifierInfo *, unsigned> IdentifierGeneration;
   1058 
   1059   class InterestingDecl {
   1060     Decl *D;
   1061     bool DeclHasPendingBody;
   1062 
   1063   public:
   1064     InterestingDecl(Decl *D, bool HasBody)
   1065         : D(D), DeclHasPendingBody(HasBody) {}
   1066 
   1067     Decl *getDecl() { return D; }
   1068 
   1069     /// Whether the declaration has a pending body.
   1070     bool hasPendingBody() { return DeclHasPendingBody; }
   1071   };
   1072 
   1073   /// Contains declarations and definitions that could be
   1074   /// "interesting" to the ASTConsumer, when we get that AST consumer.
   1075   ///
   1076   /// "Interesting" declarations are those that have data that may
   1077   /// need to be emitted, such as inline function definitions or
   1078   /// Objective-C protocols.
   1079   std::deque<InterestingDecl> PotentiallyInterestingDecls;
   1080 
   1081   /// The list of deduced function types that we have not yet read, because
   1082   /// they might contain a deduced return type that refers to a local type
   1083   /// declared within the function.
   1084   SmallVector<std::pair<FunctionDecl *, serialization::TypeID>, 16>
   1085       PendingFunctionTypes;
   1086 
   1087   /// The list of redeclaration chains that still need to be
   1088   /// reconstructed, and the local offset to the corresponding list
   1089   /// of redeclarations.
   1090   SmallVector<std::pair<Decl *, uint64_t>, 16> PendingDeclChains;
   1091 
   1092   /// The list of canonical declarations whose redeclaration chains
   1093   /// need to be marked as incomplete once we're done deserializing things.
   1094   SmallVector<Decl *, 16> PendingIncompleteDeclChains;
   1095 
   1096   /// The Decl IDs for the Sema/Lexical DeclContext of a Decl that has
   1097   /// been loaded but its DeclContext was not set yet.
   1098   struct PendingDeclContextInfo {
   1099     Decl *D;
   1100     serialization::GlobalDeclID SemaDC;
   1101     serialization::GlobalDeclID LexicalDC;
   1102   };
   1103 
   1104   /// The set of Decls that have been loaded but their DeclContexts are
   1105   /// not set yet.
   1106   ///
   1107   /// The DeclContexts for these Decls will be set once recursive loading has
   1108   /// been completed.
   1109   std::deque<PendingDeclContextInfo> PendingDeclContextInfos;
   1110 
   1111   /// The set of NamedDecls that have been loaded, but are members of a
   1112   /// context that has been merged into another context where the corresponding
   1113   /// declaration is either missing or has not yet been loaded.
   1114   ///
   1115   /// We will check whether the corresponding declaration is in fact missing
   1116   /// once recursing loading has been completed.
   1117   llvm::SmallVector<NamedDecl *, 16> PendingOdrMergeChecks;
   1118 
   1119   using DataPointers =
   1120       std::pair<CXXRecordDecl *, struct CXXRecordDecl::DefinitionData *>;
   1121 
   1122   /// Record definitions in which we found an ODR violation.
   1123   llvm::SmallDenseMap<CXXRecordDecl *, llvm::SmallVector<DataPointers, 2>, 2>
   1124       PendingOdrMergeFailures;
   1125 
   1126   /// Function definitions in which we found an ODR violation.
   1127   llvm::SmallDenseMap<FunctionDecl *, llvm::SmallVector<FunctionDecl *, 2>, 2>
   1128       PendingFunctionOdrMergeFailures;
   1129 
   1130   /// Enum definitions in which we found an ODR violation.
   1131   llvm::SmallDenseMap<EnumDecl *, llvm::SmallVector<EnumDecl *, 2>, 2>
   1132       PendingEnumOdrMergeFailures;
   1133 
   1134   /// DeclContexts in which we have diagnosed an ODR violation.
   1135   llvm::SmallPtrSet<DeclContext*, 2> DiagnosedOdrMergeFailures;
   1136 
   1137   /// The set of Objective-C categories that have been deserialized
   1138   /// since the last time the declaration chains were linked.
   1139   llvm::SmallPtrSet<ObjCCategoryDecl *, 16> CategoriesDeserialized;
   1140 
   1141   /// The set of Objective-C class definitions that have already been
   1142   /// loaded, for which we will need to check for categories whenever a new
   1143   /// module is loaded.
   1144   SmallVector<ObjCInterfaceDecl *, 16> ObjCClassesLoaded;
   1145 
   1146   using KeyDeclsMap =
   1147       llvm::DenseMap<Decl *, SmallVector<serialization::DeclID, 2>>;
   1148 
   1149   /// A mapping from canonical declarations to the set of global
   1150   /// declaration IDs for key declaration that have been merged with that
   1151   /// canonical declaration. A key declaration is a formerly-canonical
   1152   /// declaration whose module did not import any other key declaration for that
   1153   /// entity. These are the IDs that we use as keys when finding redecl chains.
   1154   KeyDeclsMap KeyDecls;
   1155 
   1156   /// A mapping from DeclContexts to the semantic DeclContext that we
   1157   /// are treating as the definition of the entity. This is used, for instance,
   1158   /// when merging implicit instantiations of class templates across modules.
   1159   llvm::DenseMap<DeclContext *, DeclContext *> MergedDeclContexts;
   1160 
   1161   /// A mapping from canonical declarations of enums to their canonical
   1162   /// definitions. Only populated when using modules in C++.
   1163   llvm::DenseMap<EnumDecl *, EnumDecl *> EnumDefinitions;
   1164 
   1165   /// When reading a Stmt tree, Stmt operands are placed in this stack.
   1166   SmallVector<Stmt *, 16> StmtStack;
   1167 
   1168   /// What kind of records we are reading.
   1169   enum ReadingKind {
   1170     Read_None, Read_Decl, Read_Type, Read_Stmt
   1171   };
   1172 
   1173   /// What kind of records we are reading.
   1174   ReadingKind ReadingKind = Read_None;
   1175 
   1176   /// RAII object to change the reading kind.
   1177   class ReadingKindTracker {
   1178     ASTReader &Reader;
   1179     enum ReadingKind PrevKind;
   1180 
   1181   public:
   1182     ReadingKindTracker(enum ReadingKind newKind, ASTReader &reader)
   1183         : Reader(reader), PrevKind(Reader.ReadingKind) {
   1184       Reader.ReadingKind = newKind;
   1185     }
   1186 
   1187     ReadingKindTracker(const ReadingKindTracker &) = delete;
   1188     ReadingKindTracker &operator=(const ReadingKindTracker &) = delete;
   1189     ~ReadingKindTracker() { Reader.ReadingKind = PrevKind; }
   1190   };
   1191 
   1192   /// RAII object to mark the start of processing updates.
   1193   class ProcessingUpdatesRAIIObj {
   1194     ASTReader &Reader;
   1195     bool PrevState;
   1196 
   1197   public:
   1198     ProcessingUpdatesRAIIObj(ASTReader &reader)
   1199         : Reader(reader), PrevState(Reader.ProcessingUpdateRecords) {
   1200       Reader.ProcessingUpdateRecords = true;
   1201     }
   1202 
   1203     ProcessingUpdatesRAIIObj(const ProcessingUpdatesRAIIObj &) = delete;
   1204     ProcessingUpdatesRAIIObj &
   1205     operator=(const ProcessingUpdatesRAIIObj &) = delete;
   1206     ~ProcessingUpdatesRAIIObj() { Reader.ProcessingUpdateRecords = PrevState; }
   1207   };
   1208 
   1209   /// Suggested contents of the predefines buffer, after this
   1210   /// PCH file has been processed.
   1211   ///
   1212   /// In most cases, this string will be empty, because the predefines
   1213   /// buffer computed to build the PCH file will be identical to the
   1214   /// predefines buffer computed from the command line. However, when
   1215   /// there are differences that the PCH reader can work around, this
   1216   /// predefines buffer may contain additional definitions.
   1217   std::string SuggestedPredefines;
   1218 
   1219   llvm::DenseMap<const Decl *, bool> DefinitionSource;
   1220 
   1221   bool shouldDisableValidationForFile(const serialization::ModuleFile &M) const;
   1222 
   1223   /// Reads a statement from the specified cursor.
   1224   Stmt *ReadStmtFromStream(ModuleFile &F);
   1225 
   1226   struct InputFileInfo {
   1227     std::string Filename;
   1228     uint64_t ContentHash;
   1229     off_t StoredSize;
   1230     time_t StoredTime;
   1231     bool Overridden;
   1232     bool Transient;
   1233     bool TopLevelModuleMap;
   1234   };
   1235 
   1236   /// Reads the stored information about an input file.
   1237   InputFileInfo readInputFileInfo(ModuleFile &F, unsigned ID);
   1238 
   1239   /// Retrieve the file entry and 'overridden' bit for an input
   1240   /// file in the given module file.
   1241   serialization::InputFile getInputFile(ModuleFile &F, unsigned ID,
   1242                                         bool Complain = true);
   1243 
   1244 public:
   1245   void ResolveImportedPath(ModuleFile &M, std::string &Filename);
   1246   static void ResolveImportedPath(std::string &Filename, StringRef Prefix);
   1247 
   1248   /// Returns the first key declaration for the given declaration. This
   1249   /// is one that is formerly-canonical (or still canonical) and whose module
   1250   /// did not import any other key declaration of the entity.
   1251   Decl *getKeyDeclaration(Decl *D) {
   1252     D = D->getCanonicalDecl();
   1253     if (D->isFromASTFile())
   1254       return D;
   1255 
   1256     auto I = KeyDecls.find(D);
   1257     if (I == KeyDecls.end() || I->second.empty())
   1258       return D;
   1259     return GetExistingDecl(I->second[0]);
   1260   }
   1261   const Decl *getKeyDeclaration(const Decl *D) {
   1262     return getKeyDeclaration(const_cast<Decl*>(D));
   1263   }
   1264 
   1265   /// Run a callback on each imported key declaration of \p D.
   1266   template <typename Fn>
   1267   void forEachImportedKeyDecl(const Decl *D, Fn Visit) {
   1268     D = D->getCanonicalDecl();
   1269     if (D->isFromASTFile())
   1270       Visit(D);
   1271 
   1272     auto It = KeyDecls.find(const_cast<Decl*>(D));
   1273     if (It != KeyDecls.end())
   1274       for (auto ID : It->second)
   1275         Visit(GetExistingDecl(ID));
   1276   }
   1277 
   1278   /// Get the loaded lookup tables for \p Primary, if any.
   1279   const serialization::reader::DeclContextLookupTable *
   1280   getLoadedLookupTables(DeclContext *Primary) const;
   1281 
   1282 private:
   1283   struct ImportedModule {
   1284     ModuleFile *Mod;
   1285     ModuleFile *ImportedBy;
   1286     SourceLocation ImportLoc;
   1287 
   1288     ImportedModule(ModuleFile *Mod,
   1289                    ModuleFile *ImportedBy,
   1290                    SourceLocation ImportLoc)
   1291         : Mod(Mod), ImportedBy(ImportedBy), ImportLoc(ImportLoc) {}
   1292   };
   1293 
   1294   ASTReadResult ReadASTCore(StringRef FileName, ModuleKind Type,
   1295                             SourceLocation ImportLoc, ModuleFile *ImportedBy,
   1296                             SmallVectorImpl<ImportedModule> &Loaded,
   1297                             off_t ExpectedSize, time_t ExpectedModTime,
   1298                             ASTFileSignature ExpectedSignature,
   1299                             unsigned ClientLoadCapabilities);
   1300   ASTReadResult ReadControlBlock(ModuleFile &F,
   1301                                  SmallVectorImpl<ImportedModule> &Loaded,
   1302                                  const ModuleFile *ImportedBy,
   1303                                  unsigned ClientLoadCapabilities);
   1304   static ASTReadResult ReadOptionsBlock(
   1305       llvm::BitstreamCursor &Stream, unsigned ClientLoadCapabilities,
   1306       bool AllowCompatibleConfigurationMismatch, ASTReaderListener &Listener,
   1307       std::string &SuggestedPredefines);
   1308 
   1309   /// Read the unhashed control block.
   1310   ///
   1311   /// This has no effect on \c F.Stream, instead creating a fresh cursor from
   1312   /// \c F.Data and reading ahead.
   1313   ASTReadResult readUnhashedControlBlock(ModuleFile &F, bool WasImportedBy,
   1314                                          unsigned ClientLoadCapabilities);
   1315 
   1316   static ASTReadResult
   1317   readUnhashedControlBlockImpl(ModuleFile *F, llvm::StringRef StreamData,
   1318                                unsigned ClientLoadCapabilities,
   1319                                bool AllowCompatibleConfigurationMismatch,
   1320                                ASTReaderListener *Listener,
   1321                                bool ValidateDiagnosticOptions);
   1322 
   1323   ASTReadResult ReadASTBlock(ModuleFile &F, unsigned ClientLoadCapabilities);
   1324   ASTReadResult ReadExtensionBlock(ModuleFile &F);
   1325   void ReadModuleOffsetMap(ModuleFile &F) const;
   1326   bool ParseLineTable(ModuleFile &F, const RecordData &Record);
   1327   bool ReadSourceManagerBlock(ModuleFile &F);
   1328   llvm::BitstreamCursor &SLocCursorForID(int ID);
   1329   SourceLocation getImportLocation(ModuleFile *F);
   1330   ASTReadResult ReadModuleMapFileBlock(RecordData &Record, ModuleFile &F,
   1331                                        const ModuleFile *ImportedBy,
   1332                                        unsigned ClientLoadCapabilities);
   1333   ASTReadResult ReadSubmoduleBlock(ModuleFile &F,
   1334                                    unsigned ClientLoadCapabilities);
   1335   static bool ParseLanguageOptions(const RecordData &Record, bool Complain,
   1336                                    ASTReaderListener &Listener,
   1337                                    bool AllowCompatibleDifferences);
   1338   static bool ParseTargetOptions(const RecordData &Record, bool Complain,
   1339                                  ASTReaderListener &Listener,
   1340                                  bool AllowCompatibleDifferences);
   1341   static bool ParseDiagnosticOptions(const RecordData &Record, bool Complain,
   1342                                      ASTReaderListener &Listener);
   1343   static bool ParseFileSystemOptions(const RecordData &Record, bool Complain,
   1344                                      ASTReaderListener &Listener);
   1345   static bool ParseHeaderSearchOptions(const RecordData &Record, bool Complain,
   1346                                        ASTReaderListener &Listener);
   1347   static bool ParsePreprocessorOptions(const RecordData &Record, bool Complain,
   1348                                        ASTReaderListener &Listener,
   1349                                        std::string &SuggestedPredefines);
   1350 
   1351   struct RecordLocation {
   1352     ModuleFile *F;
   1353     uint64_t Offset;
   1354 
   1355     RecordLocation(ModuleFile *M, uint64_t O) : F(M), Offset(O) {}
   1356   };
   1357 
   1358   QualType readTypeRecord(unsigned Index);
   1359   RecordLocation TypeCursorForIndex(unsigned Index);
   1360   void LoadedDecl(unsigned Index, Decl *D);
   1361   Decl *ReadDeclRecord(serialization::DeclID ID);
   1362   void markIncompleteDeclChain(Decl *Canon);
   1363 
   1364   /// Returns the most recent declaration of a declaration (which must be
   1365   /// of a redeclarable kind) that is either local or has already been loaded
   1366   /// merged into its redecl chain.
   1367   Decl *getMostRecentExistingDecl(Decl *D);
   1368 
   1369   RecordLocation DeclCursorForID(serialization::DeclID ID,
   1370                                  SourceLocation &Location);
   1371   void loadDeclUpdateRecords(PendingUpdateRecord &Record);
   1372   void loadPendingDeclChain(Decl *D, uint64_t LocalOffset);
   1373   void loadObjCCategories(serialization::GlobalDeclID ID, ObjCInterfaceDecl *D,
   1374                           unsigned PreviousGeneration = 0);
   1375 
   1376   RecordLocation getLocalBitOffset(uint64_t GlobalOffset);
   1377   uint64_t getGlobalBitOffset(ModuleFile &M, uint64_t LocalOffset);
   1378 
   1379   /// Returns the first preprocessed entity ID that begins or ends after
   1380   /// \arg Loc.
   1381   serialization::PreprocessedEntityID
   1382   findPreprocessedEntity(SourceLocation Loc, bool EndsAfter) const;
   1383 
   1384   /// Find the next module that contains entities and return the ID
   1385   /// of the first entry.
   1386   ///
   1387   /// \param SLocMapI points at a chunk of a module that contains no
   1388   /// preprocessed entities or the entities it contains are not the
   1389   /// ones we are looking for.
   1390   serialization::PreprocessedEntityID
   1391     findNextPreprocessedEntity(
   1392                         GlobalSLocOffsetMapType::const_iterator SLocMapI) const;
   1393 
   1394   /// Returns (ModuleFile, Local index) pair for \p GlobalIndex of a
   1395   /// preprocessed entity.
   1396   std::pair<ModuleFile *, unsigned>
   1397     getModulePreprocessedEntity(unsigned GlobalIndex);
   1398 
   1399   /// Returns (begin, end) pair for the preprocessed entities of a
   1400   /// particular module.
   1401   llvm::iterator_range<PreprocessingRecord::iterator>
   1402   getModulePreprocessedEntities(ModuleFile &Mod) const;
   1403 
   1404 public:
   1405   class ModuleDeclIterator
   1406       : public llvm::iterator_adaptor_base<
   1407             ModuleDeclIterator, const serialization::LocalDeclID *,
   1408             std::random_access_iterator_tag, const Decl *, ptrdiff_t,
   1409             const Decl *, const Decl *> {
   1410     ASTReader *Reader = nullptr;
   1411     ModuleFile *Mod = nullptr;
   1412 
   1413   public:
   1414     ModuleDeclIterator() : iterator_adaptor_base(nullptr) {}
   1415 
   1416     ModuleDeclIterator(ASTReader *Reader, ModuleFile *Mod,
   1417                        const serialization::LocalDeclID *Pos)
   1418         : iterator_adaptor_base(Pos), Reader(Reader), Mod(Mod) {}
   1419 
   1420     value_type operator*() const {
   1421       return Reader->GetDecl(Reader->getGlobalDeclID(*Mod, *I));
   1422     }
   1423 
   1424     value_type operator->() const { return **this; }
   1425 
   1426     bool operator==(const ModuleDeclIterator &RHS) const {
   1427       assert(Reader == RHS.Reader && Mod == RHS.Mod);
   1428       return I == RHS.I;
   1429     }
   1430   };
   1431 
   1432   llvm::iterator_range<ModuleDeclIterator>
   1433   getModuleFileLevelDecls(ModuleFile &Mod);
   1434 
   1435 private:
   1436   void PassInterestingDeclsToConsumer();
   1437   void PassInterestingDeclToConsumer(Decl *D);
   1438 
   1439   void finishPendingActions();
   1440   void diagnoseOdrViolations();
   1441 
   1442   void pushExternalDeclIntoScope(NamedDecl *D, DeclarationName Name);
   1443 
   1444   void addPendingDeclContextInfo(Decl *D,
   1445                                  serialization::GlobalDeclID SemaDC,
   1446                                  serialization::GlobalDeclID LexicalDC) {
   1447     assert(D);
   1448     PendingDeclContextInfo Info = { D, SemaDC, LexicalDC };
   1449     PendingDeclContextInfos.push_back(Info);
   1450   }
   1451 
   1452   /// Produce an error diagnostic and return true.
   1453   ///
   1454   /// This routine should only be used for fatal errors that have to
   1455   /// do with non-routine failures (e.g., corrupted AST file).
   1456   void Error(StringRef Msg) const;
   1457   void Error(unsigned DiagID, StringRef Arg1 = StringRef(),
   1458              StringRef Arg2 = StringRef(), StringRef Arg3 = StringRef()) const;
   1459   void Error(llvm::Error &&Err) const;
   1460 
   1461 public:
   1462   /// Load the AST file and validate its contents against the given
   1463   /// Preprocessor.
   1464   ///
   1465   /// \param PP the preprocessor associated with the context in which this
   1466   /// precompiled header will be loaded.
   1467   ///
   1468   /// \param Context the AST context that this precompiled header will be
   1469   /// loaded into, if any.
   1470   ///
   1471   /// \param PCHContainerRdr the PCHContainerOperations to use for loading and
   1472   /// creating modules.
   1473   ///
   1474   /// \param Extensions the list of module file extensions that can be loaded
   1475   /// from the AST files.
   1476   ///
   1477   /// \param isysroot If non-NULL, the system include path specified by the
   1478   /// user. This is only used with relocatable PCH files. If non-NULL,
   1479   /// a relocatable PCH file will use the default path "/".
   1480   ///
   1481   /// \param DisableValidationKind If set, the AST reader will suppress most
   1482   /// of its regular consistency checking, allowing the use of precompiled
   1483   /// headers and module files that cannot be determined to be compatible.
   1484   ///
   1485   /// \param AllowASTWithCompilerErrors If true, the AST reader will accept an
   1486   /// AST file the was created out of an AST with compiler errors,
   1487   /// otherwise it will reject it.
   1488   ///
   1489   /// \param AllowConfigurationMismatch If true, the AST reader will not check
   1490   /// for configuration differences between the AST file and the invocation.
   1491   ///
   1492   /// \param ValidateSystemInputs If true, the AST reader will validate
   1493   /// system input files in addition to user input files. This is only
   1494   /// meaningful if \p DisableValidation is false.
   1495   ///
   1496   /// \param UseGlobalIndex If true, the AST reader will try to load and use
   1497   /// the global module index.
   1498   ///
   1499   /// \param ReadTimer If non-null, a timer used to track the time spent
   1500   /// deserializing.
   1501   ASTReader(Preprocessor &PP, InMemoryModuleCache &ModuleCache,
   1502             ASTContext *Context, const PCHContainerReader &PCHContainerRdr,
   1503             ArrayRef<std::shared_ptr<ModuleFileExtension>> Extensions,
   1504             StringRef isysroot = "",
   1505             DisableValidationForModuleKind DisableValidationKind =
   1506                 DisableValidationForModuleKind::None,
   1507             bool AllowASTWithCompilerErrors = false,
   1508             bool AllowConfigurationMismatch = false,
   1509             bool ValidateSystemInputs = false,
   1510             bool ValidateASTInputFilesContent = false,
   1511             bool UseGlobalIndex = true,
   1512             std::unique_ptr<llvm::Timer> ReadTimer = {});
   1513   ASTReader(const ASTReader &) = delete;
   1514   ASTReader &operator=(const ASTReader &) = delete;
   1515   ~ASTReader() override;
   1516 
   1517   SourceManager &getSourceManager() const { return SourceMgr; }
   1518   FileManager &getFileManager() const { return FileMgr; }
   1519   DiagnosticsEngine &getDiags() const { return Diags; }
   1520 
   1521   /// Flags that indicate what kind of AST loading failures the client
   1522   /// of the AST reader can directly handle.
   1523   ///
   1524   /// When a client states that it can handle a particular kind of failure,
   1525   /// the AST reader will not emit errors when producing that kind of failure.
   1526   enum LoadFailureCapabilities {
   1527     /// The client can't handle any AST loading failures.
   1528     ARR_None = 0,
   1529 
   1530     /// The client can handle an AST file that cannot load because it
   1531     /// is missing.
   1532     ARR_Missing = 0x1,
   1533 
   1534     /// The client can handle an AST file that cannot load because it
   1535     /// is out-of-date relative to its input files.
   1536     ARR_OutOfDate = 0x2,
   1537 
   1538     /// The client can handle an AST file that cannot load because it
   1539     /// was built with a different version of Clang.
   1540     ARR_VersionMismatch = 0x4,
   1541 
   1542     /// The client can handle an AST file that cannot load because it's
   1543     /// compiled configuration doesn't match that of the context it was
   1544     /// loaded into.
   1545     ARR_ConfigurationMismatch = 0x8,
   1546 
   1547     /// If a module file is marked with errors treat it as out-of-date so the
   1548     /// caller can rebuild it.
   1549     ARR_TreatModuleWithErrorsAsOutOfDate = 0x10
   1550   };
   1551 
   1552   /// Load the AST file designated by the given file name.
   1553   ///
   1554   /// \param FileName The name of the AST file to load.
   1555   ///
   1556   /// \param Type The kind of AST being loaded, e.g., PCH, module, main file,
   1557   /// or preamble.
   1558   ///
   1559   /// \param ImportLoc the location where the module file will be considered as
   1560   /// imported from. For non-module AST types it should be invalid.
   1561   ///
   1562   /// \param ClientLoadCapabilities The set of client load-failure
   1563   /// capabilities, represented as a bitset of the enumerators of
   1564   /// LoadFailureCapabilities.
   1565   ///
   1566   /// \param Imported optional out-parameter to append the list of modules
   1567   /// that were imported by precompiled headers or any other non-module AST file
   1568   ASTReadResult ReadAST(StringRef FileName, ModuleKind Type,
   1569                         SourceLocation ImportLoc,
   1570                         unsigned ClientLoadCapabilities,
   1571                         SmallVectorImpl<ImportedSubmodule> *Imported = nullptr);
   1572 
   1573   /// Make the entities in the given module and any of its (non-explicit)
   1574   /// submodules visible to name lookup.
   1575   ///
   1576   /// \param Mod The module whose names should be made visible.
   1577   ///
   1578   /// \param NameVisibility The level of visibility to give the names in the
   1579   /// module.  Visibility can only be increased over time.
   1580   ///
   1581   /// \param ImportLoc The location at which the import occurs.
   1582   void makeModuleVisible(Module *Mod,
   1583                          Module::NameVisibilityKind NameVisibility,
   1584                          SourceLocation ImportLoc);
   1585 
   1586   /// Make the names within this set of hidden names visible.
   1587   void makeNamesVisible(const HiddenNames &Names, Module *Owner);
   1588 
   1589   /// Note that MergedDef is a redefinition of the canonical definition
   1590   /// Def, so Def should be visible whenever MergedDef is.
   1591   void mergeDefinitionVisibility(NamedDecl *Def, NamedDecl *MergedDef);
   1592 
   1593   /// Take the AST callbacks listener.
   1594   std::unique_ptr<ASTReaderListener> takeListener() {
   1595     return std::move(Listener);
   1596   }
   1597 
   1598   /// Set the AST callbacks listener.
   1599   void setListener(std::unique_ptr<ASTReaderListener> Listener) {
   1600     this->Listener = std::move(Listener);
   1601   }
   1602 
   1603   /// Add an AST callback listener.
   1604   ///
   1605   /// Takes ownership of \p L.
   1606   void addListener(std::unique_ptr<ASTReaderListener> L) {
   1607     if (Listener)
   1608       L = std::make_unique<ChainedASTReaderListener>(std::move(L),
   1609                                                       std::move(Listener));
   1610     Listener = std::move(L);
   1611   }
   1612 
   1613   /// RAII object to temporarily add an AST callback listener.
   1614   class ListenerScope {
   1615     ASTReader &Reader;
   1616     bool Chained = false;
   1617 
   1618   public:
   1619     ListenerScope(ASTReader &Reader, std::unique_ptr<ASTReaderListener> L)
   1620         : Reader(Reader) {
   1621       auto Old = Reader.takeListener();
   1622       if (Old) {
   1623         Chained = true;
   1624         L = std::make_unique<ChainedASTReaderListener>(std::move(L),
   1625                                                         std::move(Old));
   1626       }
   1627       Reader.setListener(std::move(L));
   1628     }
   1629 
   1630     ~ListenerScope() {
   1631       auto New = Reader.takeListener();
   1632       if (Chained)
   1633         Reader.setListener(static_cast<ChainedASTReaderListener *>(New.get())
   1634                                ->takeSecond());
   1635     }
   1636   };
   1637 
   1638   /// Set the AST deserialization listener.
   1639   void setDeserializationListener(ASTDeserializationListener *Listener,
   1640                                   bool TakeOwnership = false);
   1641 
   1642   /// Get the AST deserialization listener.
   1643   ASTDeserializationListener *getDeserializationListener() {
   1644     return DeserializationListener;
   1645   }
   1646 
   1647   /// Determine whether this AST reader has a global index.
   1648   bool hasGlobalIndex() const { return (bool)GlobalIndex; }
   1649 
   1650   /// Return global module index.
   1651   GlobalModuleIndex *getGlobalIndex() { return GlobalIndex.get(); }
   1652 
   1653   /// Reset reader for a reload try.
   1654   void resetForReload() { TriedLoadingGlobalIndex = false; }
   1655 
   1656   /// Attempts to load the global index.
   1657   ///
   1658   /// \returns true if loading the global index has failed for any reason.
   1659   bool loadGlobalIndex();
   1660 
   1661   /// Determine whether we tried to load the global index, but failed,
   1662   /// e.g., because it is out-of-date or does not exist.
   1663   bool isGlobalIndexUnavailable() const;
   1664 
   1665   /// Initializes the ASTContext
   1666   void InitializeContext();
   1667 
   1668   /// Update the state of Sema after loading some additional modules.
   1669   void UpdateSema();
   1670 
   1671   /// Add in-memory (virtual file) buffer.
   1672   void addInMemoryBuffer(StringRef &FileName,
   1673                          std::unique_ptr<llvm::MemoryBuffer> Buffer) {
   1674     ModuleMgr.addInMemoryBuffer(FileName, std::move(Buffer));
   1675   }
   1676 
   1677   /// Finalizes the AST reader's state before writing an AST file to
   1678   /// disk.
   1679   ///
   1680   /// This operation may undo temporary state in the AST that should not be
   1681   /// emitted.
   1682   void finalizeForWriting();
   1683 
   1684   /// Retrieve the module manager.
   1685   ModuleManager &getModuleManager() { return ModuleMgr; }
   1686 
   1687   /// Retrieve the preprocessor.
   1688   Preprocessor &getPreprocessor() const { return PP; }
   1689 
   1690   /// Retrieve the name of the original source file name for the primary
   1691   /// module file.
   1692   StringRef getOriginalSourceFile() {
   1693     return ModuleMgr.getPrimaryModule().OriginalSourceFileName;
   1694   }
   1695 
   1696   /// Retrieve the name of the original source file name directly from
   1697   /// the AST file, without actually loading the AST file.
   1698   static std::string
   1699   getOriginalSourceFile(const std::string &ASTFileName, FileManager &FileMgr,
   1700                         const PCHContainerReader &PCHContainerRdr,
   1701                         DiagnosticsEngine &Diags);
   1702 
   1703   /// Read the control block for the named AST file.
   1704   ///
   1705   /// \returns true if an error occurred, false otherwise.
   1706   static bool
   1707   readASTFileControlBlock(StringRef Filename, FileManager &FileMgr,
   1708                           const PCHContainerReader &PCHContainerRdr,
   1709                           bool FindModuleFileExtensions,
   1710                           ASTReaderListener &Listener,
   1711                           bool ValidateDiagnosticOptions);
   1712 
   1713   /// Determine whether the given AST file is acceptable to load into a
   1714   /// translation unit with the given language and target options.
   1715   static bool isAcceptableASTFile(StringRef Filename, FileManager &FileMgr,
   1716                                   const PCHContainerReader &PCHContainerRdr,
   1717                                   const LangOptions &LangOpts,
   1718                                   const TargetOptions &TargetOpts,
   1719                                   const PreprocessorOptions &PPOpts,
   1720                                   StringRef ExistingModuleCachePath);
   1721 
   1722   /// Returns the suggested contents of the predefines buffer,
   1723   /// which contains a (typically-empty) subset of the predefines
   1724   /// build prior to including the precompiled header.
   1725   const std::string &getSuggestedPredefines() { return SuggestedPredefines; }
   1726 
   1727   /// Read a preallocated preprocessed entity from the external source.
   1728   ///
   1729   /// \returns null if an error occurred that prevented the preprocessed
   1730   /// entity from being loaded.
   1731   PreprocessedEntity *ReadPreprocessedEntity(unsigned Index) override;
   1732 
   1733   /// Returns a pair of [Begin, End) indices of preallocated
   1734   /// preprocessed entities that \p Range encompasses.
   1735   std::pair<unsigned, unsigned>
   1736       findPreprocessedEntitiesInRange(SourceRange Range) override;
   1737 
   1738   /// Optionally returns true or false if the preallocated preprocessed
   1739   /// entity with index \p Index came from file \p FID.
   1740   Optional<bool> isPreprocessedEntityInFileID(unsigned Index,
   1741                                               FileID FID) override;
   1742 
   1743   /// Read a preallocated skipped range from the external source.
   1744   SourceRange ReadSkippedRange(unsigned Index) override;
   1745 
   1746   /// Read the header file information for the given file entry.
   1747   HeaderFileInfo GetHeaderFileInfo(const FileEntry *FE) override;
   1748 
   1749   void ReadPragmaDiagnosticMappings(DiagnosticsEngine &Diag);
   1750 
   1751   /// Returns the number of source locations found in the chain.
   1752   unsigned getTotalNumSLocs() const {
   1753     return TotalNumSLocEntries;
   1754   }
   1755 
   1756   /// Returns the number of identifiers found in the chain.
   1757   unsigned getTotalNumIdentifiers() const {
   1758     return static_cast<unsigned>(IdentifiersLoaded.size());
   1759   }
   1760 
   1761   /// Returns the number of macros found in the chain.
   1762   unsigned getTotalNumMacros() const {
   1763     return static_cast<unsigned>(MacrosLoaded.size());
   1764   }
   1765 
   1766   /// Returns the number of types found in the chain.
   1767   unsigned getTotalNumTypes() const {
   1768     return static_cast<unsigned>(TypesLoaded.size());
   1769   }
   1770 
   1771   /// Returns the number of declarations found in the chain.
   1772   unsigned getTotalNumDecls() const {
   1773     return static_cast<unsigned>(DeclsLoaded.size());
   1774   }
   1775 
   1776   /// Returns the number of submodules known.
   1777   unsigned getTotalNumSubmodules() const {
   1778     return static_cast<unsigned>(SubmodulesLoaded.size());
   1779   }
   1780 
   1781   /// Returns the number of selectors found in the chain.
   1782   unsigned getTotalNumSelectors() const {
   1783     return static_cast<unsigned>(SelectorsLoaded.size());
   1784   }
   1785 
   1786   /// Returns the number of preprocessed entities known to the AST
   1787   /// reader.
   1788   unsigned getTotalNumPreprocessedEntities() const {
   1789     unsigned Result = 0;
   1790     for (const auto &M : ModuleMgr)
   1791       Result += M.NumPreprocessedEntities;
   1792     return Result;
   1793   }
   1794 
   1795   /// Resolve a type ID into a type, potentially building a new
   1796   /// type.
   1797   QualType GetType(serialization::TypeID ID);
   1798 
   1799   /// Resolve a local type ID within a given AST file into a type.
   1800   QualType getLocalType(ModuleFile &F, unsigned LocalID);
   1801 
   1802   /// Map a local type ID within a given AST file into a global type ID.
   1803   serialization::TypeID getGlobalTypeID(ModuleFile &F, unsigned LocalID) const;
   1804 
   1805   /// Read a type from the current position in the given record, which
   1806   /// was read from the given AST file.
   1807   QualType readType(ModuleFile &F, const RecordData &Record, unsigned &Idx) {
   1808     if (Idx >= Record.size())
   1809       return {};
   1810 
   1811     return getLocalType(F, Record[Idx++]);
   1812   }
   1813 
   1814   /// Map from a local declaration ID within a given module to a
   1815   /// global declaration ID.
   1816   serialization::DeclID getGlobalDeclID(ModuleFile &F,
   1817                                       serialization::LocalDeclID LocalID) const;
   1818 
   1819   /// Returns true if global DeclID \p ID originated from module \p M.
   1820   bool isDeclIDFromModule(serialization::GlobalDeclID ID, ModuleFile &M) const;
   1821 
   1822   /// Retrieve the module file that owns the given declaration, or NULL
   1823   /// if the declaration is not from a module file.
   1824   ModuleFile *getOwningModuleFile(const Decl *D);
   1825 
   1826   /// Get the best name we know for the module that owns the given
   1827   /// declaration, or an empty string if the declaration is not from a module.
   1828   std::string getOwningModuleNameForDiagnostic(const Decl *D);
   1829 
   1830   /// Returns the source location for the decl \p ID.
   1831   SourceLocation getSourceLocationForDeclID(serialization::GlobalDeclID ID);
   1832 
   1833   /// Resolve a declaration ID into a declaration, potentially
   1834   /// building a new declaration.
   1835   Decl *GetDecl(serialization::DeclID ID);
   1836   Decl *GetExternalDecl(uint32_t ID) override;
   1837 
   1838   /// Resolve a declaration ID into a declaration. Return 0 if it's not
   1839   /// been loaded yet.
   1840   Decl *GetExistingDecl(serialization::DeclID ID);
   1841 
   1842   /// Reads a declaration with the given local ID in the given module.
   1843   Decl *GetLocalDecl(ModuleFile &F, uint32_t LocalID) {
   1844     return GetDecl(getGlobalDeclID(F, LocalID));
   1845   }
   1846 
   1847   /// Reads a declaration with the given local ID in the given module.
   1848   ///
   1849   /// \returns The requested declaration, casted to the given return type.
   1850   template<typename T>
   1851   T *GetLocalDeclAs(ModuleFile &F, uint32_t LocalID) {
   1852     return cast_or_null<T>(GetLocalDecl(F, LocalID));
   1853   }
   1854 
   1855   /// Map a global declaration ID into the declaration ID used to
   1856   /// refer to this declaration within the given module fule.
   1857   ///
   1858   /// \returns the global ID of the given declaration as known in the given
   1859   /// module file.
   1860   serialization::DeclID
   1861   mapGlobalIDToModuleFileGlobalID(ModuleFile &M,
   1862                                   serialization::DeclID GlobalID);
   1863 
   1864   /// Reads a declaration ID from the given position in a record in the
   1865   /// given module.
   1866   ///
   1867   /// \returns The declaration ID read from the record, adjusted to a global ID.
   1868   serialization::DeclID ReadDeclID(ModuleFile &F, const RecordData &Record,
   1869                                    unsigned &Idx);
   1870 
   1871   /// Reads a declaration from the given position in a record in the
   1872   /// given module.
   1873   Decl *ReadDecl(ModuleFile &F, const RecordData &R, unsigned &I) {
   1874     return GetDecl(ReadDeclID(F, R, I));
   1875   }
   1876 
   1877   /// Reads a declaration from the given position in a record in the
   1878   /// given module.
   1879   ///
   1880   /// \returns The declaration read from this location, casted to the given
   1881   /// result type.
   1882   template<typename T>
   1883   T *ReadDeclAs(ModuleFile &F, const RecordData &R, unsigned &I) {
   1884     return cast_or_null<T>(GetDecl(ReadDeclID(F, R, I)));
   1885   }
   1886 
   1887   /// If any redeclarations of \p D have been imported since it was
   1888   /// last checked, this digs out those redeclarations and adds them to the
   1889   /// redeclaration chain for \p D.
   1890   void CompleteRedeclChain(const Decl *D) override;
   1891 
   1892   CXXBaseSpecifier *GetExternalCXXBaseSpecifiers(uint64_t Offset) override;
   1893 
   1894   /// Resolve the offset of a statement into a statement.
   1895   ///
   1896   /// This operation will read a new statement from the external
   1897   /// source each time it is called, and is meant to be used via a
   1898   /// LazyOffsetPtr (which is used by Decls for the body of functions, etc).
   1899   Stmt *GetExternalDeclStmt(uint64_t Offset) override;
   1900 
   1901   /// ReadBlockAbbrevs - Enter a subblock of the specified BlockID with the
   1902   /// specified cursor.  Read the abbreviations that are at the top of the block
   1903   /// and then leave the cursor pointing into the block.
   1904   static bool ReadBlockAbbrevs(llvm::BitstreamCursor &Cursor, unsigned BlockID,
   1905                                uint64_t *StartOfBlockOffset = nullptr);
   1906 
   1907   /// Finds all the visible declarations with a given name.
   1908   /// The current implementation of this method just loads the entire
   1909   /// lookup table as unmaterialized references.
   1910   bool FindExternalVisibleDeclsByName(const DeclContext *DC,
   1911                                       DeclarationName Name) override;
   1912 
   1913   /// Read all of the declarations lexically stored in a
   1914   /// declaration context.
   1915   ///
   1916   /// \param DC The declaration context whose declarations will be
   1917   /// read.
   1918   ///
   1919   /// \param IsKindWeWant A predicate indicating which declaration kinds
   1920   /// we are interested in.
   1921   ///
   1922   /// \param Decls Vector that will contain the declarations loaded
   1923   /// from the external source. The caller is responsible for merging
   1924   /// these declarations with any declarations already stored in the
   1925   /// declaration context.
   1926   void
   1927   FindExternalLexicalDecls(const DeclContext *DC,
   1928                            llvm::function_ref<bool(Decl::Kind)> IsKindWeWant,
   1929                            SmallVectorImpl<Decl *> &Decls) override;
   1930 
   1931   /// Get the decls that are contained in a file in the Offset/Length
   1932   /// range. \p Length can be 0 to indicate a point at \p Offset instead of
   1933   /// a range.
   1934   void FindFileRegionDecls(FileID File, unsigned Offset, unsigned Length,
   1935                            SmallVectorImpl<Decl *> &Decls) override;
   1936 
   1937   /// Notify ASTReader that we started deserialization of
   1938   /// a decl or type so until FinishedDeserializing is called there may be
   1939   /// decls that are initializing. Must be paired with FinishedDeserializing.
   1940   void StartedDeserializing() override;
   1941 
   1942   /// Notify ASTReader that we finished the deserialization of
   1943   /// a decl or type. Must be paired with StartedDeserializing.
   1944   void FinishedDeserializing() override;
   1945 
   1946   /// Function that will be invoked when we begin parsing a new
   1947   /// translation unit involving this external AST source.
   1948   ///
   1949   /// This function will provide all of the external definitions to
   1950   /// the ASTConsumer.
   1951   void StartTranslationUnit(ASTConsumer *Consumer) override;
   1952 
   1953   /// Print some statistics about AST usage.
   1954   void PrintStats() override;
   1955 
   1956   /// Dump information about the AST reader to standard error.
   1957   void dump();
   1958 
   1959   /// Return the amount of memory used by memory buffers, breaking down
   1960   /// by heap-backed versus mmap'ed memory.
   1961   void getMemoryBufferSizes(MemoryBufferSizes &sizes) const override;
   1962 
   1963   /// Initialize the semantic source with the Sema instance
   1964   /// being used to perform semantic analysis on the abstract syntax
   1965   /// tree.
   1966   void InitializeSema(Sema &S) override;
   1967 
   1968   /// Inform the semantic consumer that Sema is no longer available.
   1969   void ForgetSema() override { SemaObj = nullptr; }
   1970 
   1971   /// Retrieve the IdentifierInfo for the named identifier.
   1972   ///
   1973   /// This routine builds a new IdentifierInfo for the given identifier. If any
   1974   /// declarations with this name are visible from translation unit scope, their
   1975   /// declarations will be deserialized and introduced into the declaration
   1976   /// chain of the identifier.
   1977   IdentifierInfo *get(StringRef Name) override;
   1978 
   1979   /// Retrieve an iterator into the set of all identifiers
   1980   /// in all loaded AST files.
   1981   IdentifierIterator *getIdentifiers() override;
   1982 
   1983   /// Load the contents of the global method pool for a given
   1984   /// selector.
   1985   void ReadMethodPool(Selector Sel) override;
   1986 
   1987   /// Load the contents of the global method pool for a given
   1988   /// selector if necessary.
   1989   void updateOutOfDateSelector(Selector Sel) override;
   1990 
   1991   /// Load the set of namespaces that are known to the external source,
   1992   /// which will be used during typo correction.
   1993   void ReadKnownNamespaces(
   1994                          SmallVectorImpl<NamespaceDecl *> &Namespaces) override;
   1995 
   1996   void ReadUndefinedButUsed(
   1997       llvm::MapVector<NamedDecl *, SourceLocation> &Undefined) override;
   1998 
   1999   void ReadMismatchingDeleteExpressions(llvm::MapVector<
   2000       FieldDecl *, llvm::SmallVector<std::pair<SourceLocation, bool>, 4>> &
   2001                                             Exprs) override;
   2002 
   2003   void ReadTentativeDefinitions(
   2004                             SmallVectorImpl<VarDecl *> &TentativeDefs) override;
   2005 
   2006   void ReadUnusedFileScopedDecls(
   2007                        SmallVectorImpl<const DeclaratorDecl *> &Decls) override;
   2008 
   2009   void ReadDelegatingConstructors(
   2010                          SmallVectorImpl<CXXConstructorDecl *> &Decls) override;
   2011 
   2012   void ReadExtVectorDecls(SmallVectorImpl<TypedefNameDecl *> &Decls) override;
   2013 
   2014   void ReadUnusedLocalTypedefNameCandidates(
   2015       llvm::SmallSetVector<const TypedefNameDecl *, 4> &Decls) override;
   2016 
   2017   void ReadDeclsToCheckForDeferredDiags(
   2018       llvm::SmallSetVector<Decl *, 4> &Decls) override;
   2019 
   2020   void ReadReferencedSelectors(
   2021            SmallVectorImpl<std::pair<Selector, SourceLocation>> &Sels) override;
   2022 
   2023   void ReadWeakUndeclaredIdentifiers(
   2024            SmallVectorImpl<std::pair<IdentifierInfo *, WeakInfo>> &WI) override;
   2025 
   2026   void ReadUsedVTables(SmallVectorImpl<ExternalVTableUse> &VTables) override;
   2027 
   2028   void ReadPendingInstantiations(
   2029                   SmallVectorImpl<std::pair<ValueDecl *,
   2030                                             SourceLocation>> &Pending) override;
   2031 
   2032   void ReadLateParsedTemplates(
   2033       llvm::MapVector<const FunctionDecl *, std::unique_ptr<LateParsedTemplate>>
   2034           &LPTMap) override;
   2035 
   2036   /// Load a selector from disk, registering its ID if it exists.
   2037   void LoadSelector(Selector Sel);
   2038 
   2039   void SetIdentifierInfo(unsigned ID, IdentifierInfo *II);
   2040   void SetGloballyVisibleDecls(IdentifierInfo *II,
   2041                                const SmallVectorImpl<uint32_t> &DeclIDs,
   2042                                SmallVectorImpl<Decl *> *Decls = nullptr);
   2043 
   2044   /// Report a diagnostic.
   2045   DiagnosticBuilder Diag(unsigned DiagID) const;
   2046 
   2047   /// Report a diagnostic.
   2048   DiagnosticBuilder Diag(SourceLocation Loc, unsigned DiagID) const;
   2049 
   2050   IdentifierInfo *DecodeIdentifierInfo(serialization::IdentifierID ID);
   2051 
   2052   IdentifierInfo *readIdentifier(ModuleFile &M, const RecordData &Record,
   2053                                  unsigned &Idx) {
   2054     return DecodeIdentifierInfo(getGlobalIdentifierID(M, Record[Idx++]));
   2055   }
   2056 
   2057   IdentifierInfo *GetIdentifier(serialization::IdentifierID ID) override {
   2058     // Note that we are loading an identifier.
   2059     Deserializing AnIdentifier(this);
   2060 
   2061     return DecodeIdentifierInfo(ID);
   2062   }
   2063 
   2064   IdentifierInfo *getLocalIdentifier(ModuleFile &M, unsigned LocalID);
   2065 
   2066   serialization::IdentifierID getGlobalIdentifierID(ModuleFile &M,
   2067                                                     unsigned LocalID);
   2068 
   2069   void resolvePendingMacro(IdentifierInfo *II, const PendingMacroInfo &PMInfo);
   2070 
   2071   /// Retrieve the macro with the given ID.
   2072   MacroInfo *getMacro(serialization::MacroID ID);
   2073 
   2074   /// Retrieve the global macro ID corresponding to the given local
   2075   /// ID within the given module file.
   2076   serialization::MacroID getGlobalMacroID(ModuleFile &M, unsigned LocalID);
   2077 
   2078   /// Read the source location entry with index ID.
   2079   bool ReadSLocEntry(int ID) override;
   2080 
   2081   /// Retrieve the module import location and module name for the
   2082   /// given source manager entry ID.
   2083   std::pair<SourceLocation, StringRef> getModuleImportLoc(int ID) override;
   2084 
   2085   /// Retrieve the global submodule ID given a module and its local ID
   2086   /// number.
   2087   serialization::SubmoduleID
   2088   getGlobalSubmoduleID(ModuleFile &M, unsigned LocalID);
   2089 
   2090   /// Retrieve the submodule that corresponds to a global submodule ID.
   2091   ///
   2092   Module *getSubmodule(serialization::SubmoduleID GlobalID);
   2093 
   2094   /// Retrieve the module that corresponds to the given module ID.
   2095   ///
   2096   /// Note: overrides method in ExternalASTSource
   2097   Module *getModule(unsigned ID) override;
   2098 
   2099   /// Retrieve the module file with a given local ID within the specified
   2100   /// ModuleFile.
   2101   ModuleFile *getLocalModuleFile(ModuleFile &M, unsigned ID);
   2102 
   2103   /// Get an ID for the given module file.
   2104   unsigned getModuleFileID(ModuleFile *M);
   2105 
   2106   /// Return a descriptor for the corresponding module.
   2107   llvm::Optional<ASTSourceDescriptor> getSourceDescriptor(unsigned ID) override;
   2108 
   2109   ExtKind hasExternalDefinitions(const Decl *D) override;
   2110 
   2111   /// Retrieve a selector from the given module with its local ID
   2112   /// number.
   2113   Selector getLocalSelector(ModuleFile &M, unsigned LocalID);
   2114 
   2115   Selector DecodeSelector(serialization::SelectorID Idx);
   2116 
   2117   Selector GetExternalSelector(serialization::SelectorID ID) override;
   2118   uint32_t GetNumExternalSelectors() override;
   2119 
   2120   Selector ReadSelector(ModuleFile &M, const RecordData &Record, unsigned &Idx) {
   2121     return getLocalSelector(M, Record[Idx++]);
   2122   }
   2123 
   2124   /// Retrieve the global selector ID that corresponds to this
   2125   /// the local selector ID in a given module.
   2126   serialization::SelectorID getGlobalSelectorID(ModuleFile &F,
   2127                                                 unsigned LocalID) const;
   2128 
   2129   /// Read the contents of a CXXCtorInitializer array.
   2130   CXXCtorInitializer **GetExternalCXXCtorInitializers(uint64_t Offset) override;
   2131 
   2132   /// Read a AlignPackInfo from raw form.
   2133   Sema::AlignPackInfo ReadAlignPackInfo(uint32_t Raw) const {
   2134     return Sema::AlignPackInfo::getFromRawEncoding(Raw);
   2135   }
   2136 
   2137   /// Read a source location from raw form and return it in its
   2138   /// originating module file's source location space.
   2139   SourceLocation ReadUntranslatedSourceLocation(uint32_t Raw) const {
   2140     return SourceLocation::getFromRawEncoding((Raw >> 1) | (Raw << 31));
   2141   }
   2142 
   2143   /// Read a source location from raw form.
   2144   SourceLocation ReadSourceLocation(ModuleFile &ModuleFile, uint32_t Raw) const {
   2145     SourceLocation Loc = ReadUntranslatedSourceLocation(Raw);
   2146     return TranslateSourceLocation(ModuleFile, Loc);
   2147   }
   2148 
   2149   /// Translate a source location from another module file's source
   2150   /// location space into ours.
   2151   SourceLocation TranslateSourceLocation(ModuleFile &ModuleFile,
   2152                                          SourceLocation Loc) const {
   2153     if (!ModuleFile.ModuleOffsetMap.empty())
   2154       ReadModuleOffsetMap(ModuleFile);
   2155     assert(ModuleFile.SLocRemap.find(Loc.getOffset()) !=
   2156                ModuleFile.SLocRemap.end() &&
   2157            "Cannot find offset to remap.");
   2158     int Remap = ModuleFile.SLocRemap.find(Loc.getOffset())->second;
   2159     return Loc.getLocWithOffset(Remap);
   2160   }
   2161 
   2162   /// Read a source location.
   2163   SourceLocation ReadSourceLocation(ModuleFile &ModuleFile,
   2164                                     const RecordDataImpl &Record,
   2165                                     unsigned &Idx) {
   2166     return ReadSourceLocation(ModuleFile, Record[Idx++]);
   2167   }
   2168 
   2169   /// Read a source range.
   2170   SourceRange ReadSourceRange(ModuleFile &F,
   2171                               const RecordData &Record, unsigned &Idx);
   2172 
   2173   // Read a string
   2174   static std::string ReadString(const RecordData &Record, unsigned &Idx);
   2175 
   2176   // Skip a string
   2177   static void SkipString(const RecordData &Record, unsigned &Idx) {
   2178     Idx += Record[Idx] + 1;
   2179   }
   2180 
   2181   // Read a path
   2182   std::string ReadPath(ModuleFile &F, const RecordData &Record, unsigned &Idx);
   2183 
   2184   // Read a path
   2185   std::string ReadPath(StringRef BaseDirectory, const RecordData &Record,
   2186                        unsigned &Idx);
   2187 
   2188   // Skip a path
   2189   static void SkipPath(const RecordData &Record, unsigned &Idx) {
   2190     SkipString(Record, Idx);
   2191   }
   2192 
   2193   /// Read a version tuple.
   2194   static VersionTuple ReadVersionTuple(const RecordData &Record, unsigned &Idx);
   2195 
   2196   CXXTemporary *ReadCXXTemporary(ModuleFile &F, const RecordData &Record,
   2197                                  unsigned &Idx);
   2198 
   2199   /// Reads a statement.
   2200   Stmt *ReadStmt(ModuleFile &F);
   2201 
   2202   /// Reads an expression.
   2203   Expr *ReadExpr(ModuleFile &F);
   2204 
   2205   /// Reads a sub-statement operand during statement reading.
   2206   Stmt *ReadSubStmt() {
   2207     assert(ReadingKind == Read_Stmt &&
   2208            "Should be called only during statement reading!");
   2209     // Subexpressions are stored from last to first, so the next Stmt we need
   2210     // is at the back of the stack.
   2211     assert(!StmtStack.empty() && "Read too many sub-statements!");
   2212     return StmtStack.pop_back_val();
   2213   }
   2214 
   2215   /// Reads a sub-expression operand during statement reading.
   2216   Expr *ReadSubExpr();
   2217 
   2218   /// Reads a token out of a record.
   2219   Token ReadToken(ModuleFile &M, const RecordDataImpl &Record, unsigned &Idx);
   2220 
   2221   /// Reads the macro record located at the given offset.
   2222   MacroInfo *ReadMacroRecord(ModuleFile &F, uint64_t Offset);
   2223 
   2224   /// Determine the global preprocessed entity ID that corresponds to
   2225   /// the given local ID within the given module.
   2226   serialization::PreprocessedEntityID
   2227   getGlobalPreprocessedEntityID(ModuleFile &M, unsigned LocalID) const;
   2228 
   2229   /// Add a macro to deserialize its macro directive history.
   2230   ///
   2231   /// \param II The name of the macro.
   2232   /// \param M The module file.
   2233   /// \param MacroDirectivesOffset Offset of the serialized macro directive
   2234   /// history.
   2235   void addPendingMacro(IdentifierInfo *II, ModuleFile *M,
   2236                        uint32_t MacroDirectivesOffset);
   2237 
   2238   /// Read the set of macros defined by this external macro source.
   2239   void ReadDefinedMacros() override;
   2240 
   2241   /// Update an out-of-date identifier.
   2242   void updateOutOfDateIdentifier(IdentifierInfo &II) override;
   2243 
   2244   /// Note that this identifier is up-to-date.
   2245   void markIdentifierUpToDate(IdentifierInfo *II);
   2246 
   2247   /// Load all external visible decls in the given DeclContext.
   2248   void completeVisibleDeclsMap(const DeclContext *DC) override;
   2249 
   2250   /// Retrieve the AST context that this AST reader supplements.
   2251   ASTContext &getContext() {
   2252     assert(ContextObj && "requested AST context when not loading AST");
   2253     return *ContextObj;
   2254   }
   2255 
   2256   // Contains the IDs for declarations that were requested before we have
   2257   // access to a Sema object.
   2258   SmallVector<uint64_t, 16> PreloadedDeclIDs;
   2259 
   2260   /// Retrieve the semantic analysis object used to analyze the
   2261   /// translation unit in which the precompiled header is being
   2262   /// imported.
   2263   Sema *getSema() { return SemaObj; }
   2264 
   2265   /// Get the identifier resolver used for name lookup / updates
   2266   /// in the translation unit scope. We have one of these even if we don't
   2267   /// have a Sema object.
   2268   IdentifierResolver &getIdResolver();
   2269 
   2270   /// Retrieve the identifier table associated with the
   2271   /// preprocessor.
   2272   IdentifierTable &getIdentifierTable();
   2273 
   2274   /// Record that the given ID maps to the given switch-case
   2275   /// statement.
   2276   void RecordSwitchCaseID(SwitchCase *SC, unsigned ID);
   2277 
   2278   /// Retrieve the switch-case statement with the given ID.
   2279   SwitchCase *getSwitchCaseWithID(unsigned ID);
   2280 
   2281   void ClearSwitchCaseIDs();
   2282 
   2283   /// Cursors for comments blocks.
   2284   SmallVector<std::pair<llvm::BitstreamCursor,
   2285                         serialization::ModuleFile *>, 8> CommentsCursors;
   2286 
   2287   /// Loads comments ranges.
   2288   void ReadComments() override;
   2289 
   2290   /// Visit all the input files of the given module file.
   2291   void visitInputFiles(serialization::ModuleFile &MF,
   2292                        bool IncludeSystem, bool Complain,
   2293           llvm::function_ref<void(const serialization::InputFile &IF,
   2294                                   bool isSystem)> Visitor);
   2295 
   2296   /// Visit all the top-level module maps loaded when building the given module
   2297   /// file.
   2298   void visitTopLevelModuleMaps(serialization::ModuleFile &MF,
   2299                                llvm::function_ref<
   2300                                    void(const FileEntry *)> Visitor);
   2301 
   2302   bool isProcessingUpdateRecords() { return ProcessingUpdateRecords; }
   2303 };
   2304 
   2305 } // namespace clang
   2306 
   2307 #endif // LLVM_CLANG_SERIALIZATION_ASTREADER_H
   2308