1 //===--- ASTUnit.cpp - ASTUnit utility --------------------------*- C++ -*-===// 2 // 3 // The LLVM Compiler Infrastructure 4 // 5 // This file is distributed under the University of Illinois Open Source 6 // License. See LICENSE.TXT for details. 7 // 8 //===----------------------------------------------------------------------===// 9 // 10 // ASTUnit Implementation. 11 // 12 //===----------------------------------------------------------------------===// 13 14 #include "clang/Frontend/ASTUnit.h" 15 #include "clang/AST/ASTConsumer.h" 16 #include "clang/AST/ASTContext.h" 17 #include "clang/AST/DeclVisitor.h" 18 #include "clang/AST/StmtVisitor.h" 19 #include "clang/AST/TypeOrdering.h" 20 #include "clang/Basic/Diagnostic.h" 21 #include "clang/Basic/MemoryBufferCache.h" 22 #include "clang/Basic/TargetInfo.h" 23 #include "clang/Basic/TargetOptions.h" 24 #include "clang/Basic/VirtualFileSystem.h" 25 #include "clang/Frontend/CompilerInstance.h" 26 #include "clang/Frontend/FrontendActions.h" 27 #include "clang/Frontend/FrontendDiagnostic.h" 28 #include "clang/Frontend/FrontendOptions.h" 29 #include "clang/Frontend/MultiplexConsumer.h" 30 #include "clang/Frontend/Utils.h" 31 #include "clang/Lex/HeaderSearch.h" 32 #include "clang/Lex/Preprocessor.h" 33 #include "clang/Lex/PreprocessorOptions.h" 34 #include "clang/Sema/Sema.h" 35 #include "clang/Serialization/ASTReader.h" 36 #include "clang/Serialization/ASTWriter.h" 37 #include "llvm/ADT/ArrayRef.h" 38 #include "llvm/ADT/StringExtras.h" 39 #include "llvm/ADT/StringSet.h" 40 #include "llvm/Support/CrashRecoveryContext.h" 41 #include "llvm/Support/Host.h" 42 #include "llvm/Support/MemoryBuffer.h" 43 #include "llvm/Support/Mutex.h" 44 #include "llvm/Support/MutexGuard.h" 45 #include "llvm/Support/Timer.h" 46 #include "llvm/Support/raw_ostream.h" 47 #include <atomic> 48 #include <cstdio> 49 #include <cstdlib> 50 51 using namespace clang; 52 53 using llvm::TimeRecord; 54 55 namespace { 56 class SimpleTimer { 57 bool WantTiming; 58 TimeRecord Start; 59 std::string Output; 60 61 public: 62 explicit SimpleTimer(bool WantTiming) : WantTiming(WantTiming) { 63 if (WantTiming) 64 Start = TimeRecord::getCurrentTime(); 65 } 66 67 void setOutput(const Twine &Output) { 68 if (WantTiming) 69 this->Output = Output.str(); 70 } 71 72 ~SimpleTimer() { 73 if (WantTiming) { 74 TimeRecord Elapsed = TimeRecord::getCurrentTime(); 75 Elapsed -= Start; 76 llvm::errs() << Output << ':'; 77 Elapsed.print(Elapsed, llvm::errs()); 78 llvm::errs() << '\n'; 79 } 80 } 81 }; 82 83 template <class T> 84 std::unique_ptr<T> valueOrNull(llvm::ErrorOr<std::unique_ptr<T>> Val) { 85 if (!Val) 86 return nullptr; 87 return std::move(*Val); 88 } 89 90 template <class T> 91 bool moveOnNoError(llvm::ErrorOr<T> Val, T &Output) { 92 if (!Val) 93 return false; 94 Output = std::move(*Val); 95 return true; 96 } 97 98 /// \brief Get a source buffer for \p MainFilePath, handling all file-to-file 99 /// and file-to-buffer remappings inside \p Invocation. 100 static std::unique_ptr<llvm::MemoryBuffer> 101 getBufferForFileHandlingRemapping(const CompilerInvocation &Invocation, 102 vfs::FileSystem *VFS, 103 StringRef FilePath) { 104 const auto &PreprocessorOpts = Invocation.getPreprocessorOpts(); 105 106 // Try to determine if the main file has been remapped, either from the 107 // command line (to another file) or directly through the compiler 108 // invocation (to a memory buffer). 109 llvm::MemoryBuffer *Buffer = nullptr; 110 std::unique_ptr<llvm::MemoryBuffer> BufferOwner; 111 auto FileStatus = VFS->status(FilePath); 112 if (FileStatus) { 113 llvm::sys::fs::UniqueID MainFileID = FileStatus->getUniqueID(); 114 115 // Check whether there is a file-file remapping of the main file 116 for (const auto &RF : PreprocessorOpts.RemappedFiles) { 117 std::string MPath(RF.first); 118 auto MPathStatus = VFS->status(MPath); 119 if (MPathStatus) { 120 llvm::sys::fs::UniqueID MID = MPathStatus->getUniqueID(); 121 if (MainFileID == MID) { 122 // We found a remapping. Try to load the resulting, remapped source. 123 BufferOwner = valueOrNull(VFS->getBufferForFile(RF.second)); 124 if (!BufferOwner) 125 return nullptr; 126 } 127 } 128 } 129 130 // Check whether there is a file-buffer remapping. It supercedes the 131 // file-file remapping. 132 for (const auto &RB : PreprocessorOpts.RemappedFileBuffers) { 133 std::string MPath(RB.first); 134 auto MPathStatus = VFS->status(MPath); 135 if (MPathStatus) { 136 llvm::sys::fs::UniqueID MID = MPathStatus->getUniqueID(); 137 if (MainFileID == MID) { 138 // We found a remapping. 139 BufferOwner.reset(); 140 Buffer = const_cast<llvm::MemoryBuffer *>(RB.second); 141 } 142 } 143 } 144 } 145 146 // If the main source file was not remapped, load it now. 147 if (!Buffer && !BufferOwner) { 148 BufferOwner = valueOrNull(VFS->getBufferForFile(FilePath)); 149 if (!BufferOwner) 150 return nullptr; 151 } 152 153 if (BufferOwner) 154 return BufferOwner; 155 if (!Buffer) 156 return nullptr; 157 return llvm::MemoryBuffer::getMemBufferCopy(Buffer->getBuffer(), FilePath); 158 } 159 } 160 161 struct ASTUnit::ASTWriterData { 162 SmallString<128> Buffer; 163 llvm::BitstreamWriter Stream; 164 ASTWriter Writer; 165 166 ASTWriterData(MemoryBufferCache &PCMCache) 167 : Stream(Buffer), Writer(Stream, Buffer, PCMCache, {}) {} 168 }; 169 170 void ASTUnit::clearFileLevelDecls() { 171 llvm::DeleteContainerSeconds(FileDecls); 172 } 173 174 /// \brief After failing to build a precompiled preamble (due to 175 /// errors in the source that occurs in the preamble), the number of 176 /// reparses during which we'll skip even trying to precompile the 177 /// preamble. 178 const unsigned DefaultPreambleRebuildInterval = 5; 179 180 /// \brief Tracks the number of ASTUnit objects that are currently active. 181 /// 182 /// Used for debugging purposes only. 183 static std::atomic<unsigned> ActiveASTUnitObjects; 184 185 ASTUnit::ASTUnit(bool _MainFileIsAST) 186 : Reader(nullptr), HadModuleLoaderFatalFailure(false), 187 OnlyLocalDecls(false), CaptureDiagnostics(false), 188 MainFileIsAST(_MainFileIsAST), 189 TUKind(TU_Complete), WantTiming(getenv("LIBCLANG_TIMING")), 190 OwnsRemappedFileBuffers(true), 191 NumStoredDiagnosticsFromDriver(0), 192 PreambleRebuildCounter(0), 193 NumWarningsInPreamble(0), 194 ShouldCacheCodeCompletionResults(false), 195 IncludeBriefCommentsInCodeCompletion(false), UserFilesAreVolatile(false), 196 CompletionCacheTopLevelHashValue(0), 197 PreambleTopLevelHashValue(0), 198 CurrentTopLevelHashValue(0), 199 UnsafeToFree(false) { 200 if (getenv("LIBCLANG_OBJTRACKING")) 201 fprintf(stderr, "+++ %u translation units\n", ++ActiveASTUnitObjects); 202 } 203 204 ASTUnit::~ASTUnit() { 205 // If we loaded from an AST file, balance out the BeginSourceFile call. 206 if (MainFileIsAST && getDiagnostics().getClient()) { 207 getDiagnostics().getClient()->EndSourceFile(); 208 } 209 210 clearFileLevelDecls(); 211 212 // Free the buffers associated with remapped files. We are required to 213 // perform this operation here because we explicitly request that the 214 // compiler instance *not* free these buffers for each invocation of the 215 // parser. 216 if (Invocation && OwnsRemappedFileBuffers) { 217 PreprocessorOptions &PPOpts = Invocation->getPreprocessorOpts(); 218 for (const auto &RB : PPOpts.RemappedFileBuffers) 219 delete RB.second; 220 } 221 222 ClearCachedCompletionResults(); 223 224 if (getenv("LIBCLANG_OBJTRACKING")) 225 fprintf(stderr, "--- %u translation units\n", --ActiveASTUnitObjects); 226 } 227 228 void ASTUnit::setPreprocessor(std::shared_ptr<Preprocessor> PP) { 229 this->PP = std::move(PP); 230 } 231 232 /// \brief Determine the set of code-completion contexts in which this 233 /// declaration should be shown. 234 static unsigned getDeclShowContexts(const NamedDecl *ND, 235 const LangOptions &LangOpts, 236 bool &IsNestedNameSpecifier) { 237 IsNestedNameSpecifier = false; 238 239 if (isa<UsingShadowDecl>(ND)) 240 ND = dyn_cast<NamedDecl>(ND->getUnderlyingDecl()); 241 if (!ND) 242 return 0; 243 244 uint64_t Contexts = 0; 245 if (isa<TypeDecl>(ND) || isa<ObjCInterfaceDecl>(ND) || 246 isa<ClassTemplateDecl>(ND) || isa<TemplateTemplateParmDecl>(ND) || 247 isa<TypeAliasTemplateDecl>(ND)) { 248 // Types can appear in these contexts. 249 if (LangOpts.CPlusPlus || !isa<TagDecl>(ND)) 250 Contexts |= (1LL << CodeCompletionContext::CCC_TopLevel) 251 | (1LL << CodeCompletionContext::CCC_ObjCIvarList) 252 | (1LL << CodeCompletionContext::CCC_ClassStructUnion) 253 | (1LL << CodeCompletionContext::CCC_Statement) 254 | (1LL << CodeCompletionContext::CCC_Type) 255 | (1LL << CodeCompletionContext::CCC_ParenthesizedExpression); 256 257 // In C++, types can appear in expressions contexts (for functional casts). 258 if (LangOpts.CPlusPlus) 259 Contexts |= (1LL << CodeCompletionContext::CCC_Expression); 260 261 // In Objective-C, message sends can send interfaces. In Objective-C++, 262 // all types are available due to functional casts. 263 if (LangOpts.CPlusPlus || isa<ObjCInterfaceDecl>(ND)) 264 Contexts |= (1LL << CodeCompletionContext::CCC_ObjCMessageReceiver); 265 266 // In Objective-C, you can only be a subclass of another Objective-C class 267 if (const auto *ID = dyn_cast<ObjCInterfaceDecl>(ND)) { 268 // Objective-C interfaces can be used in a class property expression. 269 if (ID->getDefinition()) 270 Contexts |= (1LL << CodeCompletionContext::CCC_Expression); 271 Contexts |= (1LL << CodeCompletionContext::CCC_ObjCInterfaceName); 272 } 273 274 // Deal with tag names. 275 if (isa<EnumDecl>(ND)) { 276 Contexts |= (1LL << CodeCompletionContext::CCC_EnumTag); 277 278 // Part of the nested-name-specifier in C++0x. 279 if (LangOpts.CPlusPlus11) 280 IsNestedNameSpecifier = true; 281 } else if (const RecordDecl *Record = dyn_cast<RecordDecl>(ND)) { 282 if (Record->isUnion()) 283 Contexts |= (1LL << CodeCompletionContext::CCC_UnionTag); 284 else 285 Contexts |= (1LL << CodeCompletionContext::CCC_ClassOrStructTag); 286 287 if (LangOpts.CPlusPlus) 288 IsNestedNameSpecifier = true; 289 } else if (isa<ClassTemplateDecl>(ND)) 290 IsNestedNameSpecifier = true; 291 } else if (isa<ValueDecl>(ND) || isa<FunctionTemplateDecl>(ND)) { 292 // Values can appear in these contexts. 293 Contexts = (1LL << CodeCompletionContext::CCC_Statement) 294 | (1LL << CodeCompletionContext::CCC_Expression) 295 | (1LL << CodeCompletionContext::CCC_ParenthesizedExpression) 296 | (1LL << CodeCompletionContext::CCC_ObjCMessageReceiver); 297 } else if (isa<ObjCProtocolDecl>(ND)) { 298 Contexts = (1LL << CodeCompletionContext::CCC_ObjCProtocolName); 299 } else if (isa<ObjCCategoryDecl>(ND)) { 300 Contexts = (1LL << CodeCompletionContext::CCC_ObjCCategoryName); 301 } else if (isa<NamespaceDecl>(ND) || isa<NamespaceAliasDecl>(ND)) { 302 Contexts = (1LL << CodeCompletionContext::CCC_Namespace); 303 304 // Part of the nested-name-specifier. 305 IsNestedNameSpecifier = true; 306 } 307 308 return Contexts; 309 } 310 311 void ASTUnit::CacheCodeCompletionResults() { 312 if (!TheSema) 313 return; 314 315 SimpleTimer Timer(WantTiming); 316 Timer.setOutput("Cache global code completions for " + getMainFileName()); 317 318 // Clear out the previous results. 319 ClearCachedCompletionResults(); 320 321 // Gather the set of global code completions. 322 typedef CodeCompletionResult Result; 323 SmallVector<Result, 8> Results; 324 CachedCompletionAllocator = std::make_shared<GlobalCodeCompletionAllocator>(); 325 CodeCompletionTUInfo CCTUInfo(CachedCompletionAllocator); 326 TheSema->GatherGlobalCodeCompletions(*CachedCompletionAllocator, 327 CCTUInfo, Results); 328 329 // Translate global code completions into cached completions. 330 llvm::DenseMap<CanQualType, unsigned> CompletionTypes; 331 CodeCompletionContext CCContext(CodeCompletionContext::CCC_TopLevel); 332 333 for (Result &R : Results) { 334 switch (R.Kind) { 335 case Result::RK_Declaration: { 336 bool IsNestedNameSpecifier = false; 337 CachedCodeCompletionResult CachedResult; 338 CachedResult.Completion = R.CreateCodeCompletionString( 339 *TheSema, CCContext, *CachedCompletionAllocator, CCTUInfo, 340 IncludeBriefCommentsInCodeCompletion); 341 CachedResult.ShowInContexts = getDeclShowContexts( 342 R.Declaration, Ctx->getLangOpts(), IsNestedNameSpecifier); 343 CachedResult.Priority = R.Priority; 344 CachedResult.Kind = R.CursorKind; 345 CachedResult.Availability = R.Availability; 346 347 // Keep track of the type of this completion in an ASTContext-agnostic 348 // way. 349 QualType UsageType = getDeclUsageType(*Ctx, R.Declaration); 350 if (UsageType.isNull()) { 351 CachedResult.TypeClass = STC_Void; 352 CachedResult.Type = 0; 353 } else { 354 CanQualType CanUsageType 355 = Ctx->getCanonicalType(UsageType.getUnqualifiedType()); 356 CachedResult.TypeClass = getSimplifiedTypeClass(CanUsageType); 357 358 // Determine whether we have already seen this type. If so, we save 359 // ourselves the work of formatting the type string by using the 360 // temporary, CanQualType-based hash table to find the associated value. 361 unsigned &TypeValue = CompletionTypes[CanUsageType]; 362 if (TypeValue == 0) { 363 TypeValue = CompletionTypes.size(); 364 CachedCompletionTypes[QualType(CanUsageType).getAsString()] 365 = TypeValue; 366 } 367 368 CachedResult.Type = TypeValue; 369 } 370 371 CachedCompletionResults.push_back(CachedResult); 372 373 /// Handle nested-name-specifiers in C++. 374 if (TheSema->Context.getLangOpts().CPlusPlus && IsNestedNameSpecifier && 375 !R.StartsNestedNameSpecifier) { 376 // The contexts in which a nested-name-specifier can appear in C++. 377 uint64_t NNSContexts 378 = (1LL << CodeCompletionContext::CCC_TopLevel) 379 | (1LL << CodeCompletionContext::CCC_ObjCIvarList) 380 | (1LL << CodeCompletionContext::CCC_ClassStructUnion) 381 | (1LL << CodeCompletionContext::CCC_Statement) 382 | (1LL << CodeCompletionContext::CCC_Expression) 383 | (1LL << CodeCompletionContext::CCC_ObjCMessageReceiver) 384 | (1LL << CodeCompletionContext::CCC_EnumTag) 385 | (1LL << CodeCompletionContext::CCC_UnionTag) 386 | (1LL << CodeCompletionContext::CCC_ClassOrStructTag) 387 | (1LL << CodeCompletionContext::CCC_Type) 388 | (1LL << CodeCompletionContext::CCC_PotentiallyQualifiedName) 389 | (1LL << CodeCompletionContext::CCC_ParenthesizedExpression); 390 391 if (isa<NamespaceDecl>(R.Declaration) || 392 isa<NamespaceAliasDecl>(R.Declaration)) 393 NNSContexts |= (1LL << CodeCompletionContext::CCC_Namespace); 394 395 if (unsigned RemainingContexts 396 = NNSContexts & ~CachedResult.ShowInContexts) { 397 // If there any contexts where this completion can be a 398 // nested-name-specifier but isn't already an option, create a 399 // nested-name-specifier completion. 400 R.StartsNestedNameSpecifier = true; 401 CachedResult.Completion = R.CreateCodeCompletionString( 402 *TheSema, CCContext, *CachedCompletionAllocator, CCTUInfo, 403 IncludeBriefCommentsInCodeCompletion); 404 CachedResult.ShowInContexts = RemainingContexts; 405 CachedResult.Priority = CCP_NestedNameSpecifier; 406 CachedResult.TypeClass = STC_Void; 407 CachedResult.Type = 0; 408 CachedCompletionResults.push_back(CachedResult); 409 } 410 } 411 break; 412 } 413 414 case Result::RK_Keyword: 415 case Result::RK_Pattern: 416 // Ignore keywords and patterns; we don't care, since they are so 417 // easily regenerated. 418 break; 419 420 case Result::RK_Macro: { 421 CachedCodeCompletionResult CachedResult; 422 CachedResult.Completion = R.CreateCodeCompletionString( 423 *TheSema, CCContext, *CachedCompletionAllocator, CCTUInfo, 424 IncludeBriefCommentsInCodeCompletion); 425 CachedResult.ShowInContexts 426 = (1LL << CodeCompletionContext::CCC_TopLevel) 427 | (1LL << CodeCompletionContext::CCC_ObjCInterface) 428 | (1LL << CodeCompletionContext::CCC_ObjCImplementation) 429 | (1LL << CodeCompletionContext::CCC_ObjCIvarList) 430 | (1LL << CodeCompletionContext::CCC_ClassStructUnion) 431 | (1LL << CodeCompletionContext::CCC_Statement) 432 | (1LL << CodeCompletionContext::CCC_Expression) 433 | (1LL << CodeCompletionContext::CCC_ObjCMessageReceiver) 434 | (1LL << CodeCompletionContext::CCC_MacroNameUse) 435 | (1LL << CodeCompletionContext::CCC_PreprocessorExpression) 436 | (1LL << CodeCompletionContext::CCC_ParenthesizedExpression) 437 | (1LL << CodeCompletionContext::CCC_OtherWithMacros); 438 439 CachedResult.Priority = R.Priority; 440 CachedResult.Kind = R.CursorKind; 441 CachedResult.Availability = R.Availability; 442 CachedResult.TypeClass = STC_Void; 443 CachedResult.Type = 0; 444 CachedCompletionResults.push_back(CachedResult); 445 break; 446 } 447 } 448 } 449 450 // Save the current top-level hash value. 451 CompletionCacheTopLevelHashValue = CurrentTopLevelHashValue; 452 } 453 454 void ASTUnit::ClearCachedCompletionResults() { 455 CachedCompletionResults.clear(); 456 CachedCompletionTypes.clear(); 457 CachedCompletionAllocator = nullptr; 458 } 459 460 namespace { 461 462 /// \brief Gathers information from ASTReader that will be used to initialize 463 /// a Preprocessor. 464 class ASTInfoCollector : public ASTReaderListener { 465 Preprocessor &PP; 466 ASTContext *Context; 467 HeaderSearchOptions &HSOpts; 468 PreprocessorOptions &PPOpts; 469 LangOptions &LangOpt; 470 std::shared_ptr<TargetOptions> &TargetOpts; 471 IntrusiveRefCntPtr<TargetInfo> &Target; 472 unsigned &Counter; 473 474 bool InitializedLanguage; 475 public: 476 ASTInfoCollector(Preprocessor &PP, ASTContext *Context, 477 HeaderSearchOptions &HSOpts, PreprocessorOptions &PPOpts, 478 LangOptions &LangOpt, 479 std::shared_ptr<TargetOptions> &TargetOpts, 480 IntrusiveRefCntPtr<TargetInfo> &Target, unsigned &Counter) 481 : PP(PP), Context(Context), HSOpts(HSOpts), PPOpts(PPOpts), 482 LangOpt(LangOpt), TargetOpts(TargetOpts), Target(Target), 483 Counter(Counter), InitializedLanguage(false) {} 484 485 bool ReadLanguageOptions(const LangOptions &LangOpts, bool Complain, 486 bool AllowCompatibleDifferences) override { 487 if (InitializedLanguage) 488 return false; 489 490 LangOpt = LangOpts; 491 InitializedLanguage = true; 492 493 updated(); 494 return false; 495 } 496 497 virtual bool ReadHeaderSearchOptions(const HeaderSearchOptions &HSOpts, 498 StringRef SpecificModuleCachePath, 499 bool Complain) override { 500 this->HSOpts = HSOpts; 501 return false; 502 } 503 504 virtual bool 505 ReadPreprocessorOptions(const PreprocessorOptions &PPOpts, bool Complain, 506 std::string &SuggestedPredefines) override { 507 this->PPOpts = PPOpts; 508 return false; 509 } 510 511 bool ReadTargetOptions(const TargetOptions &TargetOpts, bool Complain, 512 bool AllowCompatibleDifferences) override { 513 // If we've already initialized the target, don't do it again. 514 if (Target) 515 return false; 516 517 this->TargetOpts = std::make_shared<TargetOptions>(TargetOpts); 518 Target = 519 TargetInfo::CreateTargetInfo(PP.getDiagnostics(), this->TargetOpts); 520 521 updated(); 522 return false; 523 } 524 525 void ReadCounter(const serialization::ModuleFile &M, 526 unsigned Value) override { 527 Counter = Value; 528 } 529 530 private: 531 void updated() { 532 if (!Target || !InitializedLanguage) 533 return; 534 535 // Inform the target of the language options. 536 // 537 // FIXME: We shouldn't need to do this, the target should be immutable once 538 // created. This complexity should be lifted elsewhere. 539 Target->adjust(LangOpt); 540 541 // Initialize the preprocessor. 542 PP.Initialize(*Target); 543 544 if (!Context) 545 return; 546 547 // Initialize the ASTContext 548 Context->InitBuiltinTypes(*Target); 549 550 // Adjust printing policy based on language options. 551 Context->setPrintingPolicy(PrintingPolicy(LangOpt)); 552 553 // We didn't have access to the comment options when the ASTContext was 554 // constructed, so register them now. 555 Context->getCommentCommandTraits().registerCommentOptions( 556 LangOpt.CommentOpts); 557 } 558 }; 559 560 /// \brief Diagnostic consumer that saves each diagnostic it is given. 561 class StoredDiagnosticConsumer : public DiagnosticConsumer { 562 SmallVectorImpl<StoredDiagnostic> *StoredDiags; 563 SmallVectorImpl<ASTUnit::StandaloneDiagnostic> *StandaloneDiags; 564 const LangOptions *LangOpts; 565 SourceManager *SourceMgr; 566 567 public: 568 StoredDiagnosticConsumer( 569 SmallVectorImpl<StoredDiagnostic> *StoredDiags, 570 SmallVectorImpl<ASTUnit::StandaloneDiagnostic> *StandaloneDiags) 571 : StoredDiags(StoredDiags), StandaloneDiags(StandaloneDiags), 572 LangOpts(nullptr), SourceMgr(nullptr) { 573 assert((StoredDiags || StandaloneDiags) && 574 "No output collections were passed to StoredDiagnosticConsumer."); 575 } 576 577 void BeginSourceFile(const LangOptions &LangOpts, 578 const Preprocessor *PP = nullptr) override { 579 this->LangOpts = &LangOpts; 580 if (PP) 581 SourceMgr = &PP->getSourceManager(); 582 } 583 584 void HandleDiagnostic(DiagnosticsEngine::Level Level, 585 const Diagnostic &Info) override; 586 }; 587 588 /// \brief RAII object that optionally captures diagnostics, if 589 /// there is no diagnostic client to capture them already. 590 class CaptureDroppedDiagnostics { 591 DiagnosticsEngine &Diags; 592 StoredDiagnosticConsumer Client; 593 DiagnosticConsumer *PreviousClient; 594 std::unique_ptr<DiagnosticConsumer> OwningPreviousClient; 595 596 public: 597 CaptureDroppedDiagnostics(bool RequestCapture, DiagnosticsEngine &Diags, 598 SmallVectorImpl<StoredDiagnostic> *StoredDiags, 599 SmallVectorImpl<ASTUnit::StandaloneDiagnostic> *StandaloneDiags) 600 : Diags(Diags), Client(StoredDiags, StandaloneDiags), PreviousClient(nullptr) 601 { 602 if (RequestCapture || Diags.getClient() == nullptr) { 603 OwningPreviousClient = Diags.takeClient(); 604 PreviousClient = Diags.getClient(); 605 Diags.setClient(&Client, false); 606 } 607 } 608 609 ~CaptureDroppedDiagnostics() { 610 if (Diags.getClient() == &Client) 611 Diags.setClient(PreviousClient, !!OwningPreviousClient.release()); 612 } 613 }; 614 615 } // anonymous namespace 616 617 static ASTUnit::StandaloneDiagnostic 618 makeStandaloneDiagnostic(const LangOptions &LangOpts, 619 const StoredDiagnostic &InDiag); 620 621 void StoredDiagnosticConsumer::HandleDiagnostic(DiagnosticsEngine::Level Level, 622 const Diagnostic &Info) { 623 // Default implementation (Warnings/errors count). 624 DiagnosticConsumer::HandleDiagnostic(Level, Info); 625 626 // Only record the diagnostic if it's part of the source manager we know 627 // about. This effectively drops diagnostics from modules we're building. 628 // FIXME: In the long run, ee don't want to drop source managers from modules. 629 if (!Info.hasSourceManager() || &Info.getSourceManager() == SourceMgr) { 630 StoredDiagnostic *ResultDiag = nullptr; 631 if (StoredDiags) { 632 StoredDiags->emplace_back(Level, Info); 633 ResultDiag = &StoredDiags->back(); 634 } 635 636 if (StandaloneDiags) { 637 llvm::Optional<StoredDiagnostic> StoredDiag = llvm::None; 638 if (!ResultDiag) { 639 StoredDiag.emplace(Level, Info); 640 ResultDiag = StoredDiag.getPointer(); 641 } 642 StandaloneDiags->push_back( 643 makeStandaloneDiagnostic(*LangOpts, *ResultDiag)); 644 } 645 } 646 } 647 648 IntrusiveRefCntPtr<ASTReader> ASTUnit::getASTReader() const { 649 return Reader; 650 } 651 652 ASTMutationListener *ASTUnit::getASTMutationListener() { 653 if (WriterData) 654 return &WriterData->Writer; 655 return nullptr; 656 } 657 658 ASTDeserializationListener *ASTUnit::getDeserializationListener() { 659 if (WriterData) 660 return &WriterData->Writer; 661 return nullptr; 662 } 663 664 std::unique_ptr<llvm::MemoryBuffer> 665 ASTUnit::getBufferForFile(StringRef Filename, std::string *ErrorStr) { 666 assert(FileMgr); 667 auto Buffer = FileMgr->getBufferForFile(Filename); 668 if (Buffer) 669 return std::move(*Buffer); 670 if (ErrorStr) 671 *ErrorStr = Buffer.getError().message(); 672 return nullptr; 673 } 674 675 /// \brief Configure the diagnostics object for use with ASTUnit. 676 void ASTUnit::ConfigureDiags(IntrusiveRefCntPtr<DiagnosticsEngine> Diags, 677 ASTUnit &AST, bool CaptureDiagnostics) { 678 assert(Diags.get() && "no DiagnosticsEngine was provided"); 679 if (CaptureDiagnostics) 680 Diags->setClient(new StoredDiagnosticConsumer(&AST.StoredDiagnostics, nullptr)); 681 } 682 683 std::unique_ptr<ASTUnit> ASTUnit::LoadFromASTFile( 684 const std::string &Filename, const PCHContainerReader &PCHContainerRdr, 685 WhatToLoad ToLoad, IntrusiveRefCntPtr<DiagnosticsEngine> Diags, 686 const FileSystemOptions &FileSystemOpts, bool UseDebugInfo, 687 bool OnlyLocalDecls, ArrayRef<RemappedFile> RemappedFiles, 688 bool CaptureDiagnostics, bool AllowPCHWithCompilerErrors, 689 bool UserFilesAreVolatile) { 690 std::unique_ptr<ASTUnit> AST(new ASTUnit(true)); 691 692 // Recover resources if we crash before exiting this method. 693 llvm::CrashRecoveryContextCleanupRegistrar<ASTUnit> 694 ASTUnitCleanup(AST.get()); 695 llvm::CrashRecoveryContextCleanupRegistrar<DiagnosticsEngine, 696 llvm::CrashRecoveryContextReleaseRefCleanup<DiagnosticsEngine> > 697 DiagCleanup(Diags.get()); 698 699 ConfigureDiags(Diags, *AST, CaptureDiagnostics); 700 701 AST->LangOpts = std::make_shared<LangOptions>(); 702 AST->OnlyLocalDecls = OnlyLocalDecls; 703 AST->CaptureDiagnostics = CaptureDiagnostics; 704 AST->Diagnostics = Diags; 705 IntrusiveRefCntPtr<vfs::FileSystem> VFS = vfs::getRealFileSystem(); 706 AST->FileMgr = new FileManager(FileSystemOpts, VFS); 707 AST->UserFilesAreVolatile = UserFilesAreVolatile; 708 AST->SourceMgr = new SourceManager(AST->getDiagnostics(), 709 AST->getFileManager(), 710 UserFilesAreVolatile); 711 AST->PCMCache = new MemoryBufferCache; 712 AST->HSOpts = std::make_shared<HeaderSearchOptions>(); 713 AST->HSOpts->ModuleFormat = PCHContainerRdr.getFormat(); 714 AST->HeaderInfo.reset(new HeaderSearch(AST->HSOpts, 715 AST->getSourceManager(), 716 AST->getDiagnostics(), 717 AST->getLangOpts(), 718 /*Target=*/nullptr)); 719 AST->PPOpts = std::make_shared<PreprocessorOptions>(); 720 721 for (const auto &RemappedFile : RemappedFiles) 722 AST->PPOpts->addRemappedFile(RemappedFile.first, RemappedFile.second); 723 724 // Gather Info for preprocessor construction later on. 725 726 HeaderSearch &HeaderInfo = *AST->HeaderInfo; 727 unsigned Counter; 728 729 AST->PP = std::make_shared<Preprocessor>( 730 AST->PPOpts, AST->getDiagnostics(), *AST->LangOpts, 731 AST->getSourceManager(), *AST->PCMCache, HeaderInfo, AST->ModuleLoader, 732 /*IILookup=*/nullptr, 733 /*OwnsHeaderSearch=*/false); 734 Preprocessor &PP = *AST->PP; 735 736 if (ToLoad >= LoadASTOnly) 737 AST->Ctx = new ASTContext(*AST->LangOpts, AST->getSourceManager(), 738 PP.getIdentifierTable(), PP.getSelectorTable(), 739 PP.getBuiltinInfo()); 740 741 bool disableValid = false; 742 if (::getenv("LIBCLANG_DISABLE_PCH_VALIDATION")) 743 disableValid = true; 744 AST->Reader = new ASTReader(PP, AST->Ctx.get(), PCHContainerRdr, { }, 745 /*isysroot=*/"", 746 /*DisableValidation=*/disableValid, 747 AllowPCHWithCompilerErrors); 748 749 AST->Reader->setListener(llvm::make_unique<ASTInfoCollector>( 750 *AST->PP, AST->Ctx.get(), *AST->HSOpts, *AST->PPOpts, *AST->LangOpts, 751 AST->TargetOpts, AST->Target, Counter)); 752 753 // Attach the AST reader to the AST context as an external AST 754 // source, so that declarations will be deserialized from the 755 // AST file as needed. 756 // We need the external source to be set up before we read the AST, because 757 // eagerly-deserialized declarations may use it. 758 if (AST->Ctx) 759 AST->Ctx->setExternalSource(AST->Reader); 760 761 switch (AST->Reader->ReadAST(Filename, serialization::MK_MainFile, 762 SourceLocation(), ASTReader::ARR_None)) { 763 case ASTReader::Success: 764 break; 765 766 case ASTReader::Failure: 767 case ASTReader::Missing: 768 case ASTReader::OutOfDate: 769 case ASTReader::VersionMismatch: 770 case ASTReader::ConfigurationMismatch: 771 case ASTReader::HadErrors: 772 AST->getDiagnostics().Report(diag::err_fe_unable_to_load_pch); 773 return nullptr; 774 } 775 776 AST->OriginalSourceFile = AST->Reader->getOriginalSourceFile(); 777 778 PP.setCounterValue(Counter); 779 780 // Create an AST consumer, even though it isn't used. 781 if (ToLoad >= LoadASTOnly) 782 AST->Consumer.reset(new ASTConsumer); 783 784 // Create a semantic analysis object and tell the AST reader about it. 785 if (ToLoad >= LoadEverything) { 786 AST->TheSema.reset(new Sema(PP, *AST->Ctx, *AST->Consumer)); 787 AST->TheSema->Initialize(); 788 AST->Reader->InitializeSema(*AST->TheSema); 789 } 790 791 // Tell the diagnostic client that we have started a source file. 792 AST->getDiagnostics().getClient()->BeginSourceFile(PP.getLangOpts(), &PP); 793 794 return AST; 795 } 796 797 namespace { 798 799 /// \brief Add the given macro to the hash of all top-level entities. 800 void AddDefinedMacroToHash(const Token &MacroNameTok, unsigned &Hash) { 801 Hash = llvm::HashString(MacroNameTok.getIdentifierInfo()->getName(), Hash); 802 } 803 804 /// \brief Preprocessor callback class that updates a hash value with the names 805 /// of all macros that have been defined by the translation unit. 806 class MacroDefinitionTrackerPPCallbacks : public PPCallbacks { 807 unsigned &Hash; 808 809 public: 810 explicit MacroDefinitionTrackerPPCallbacks(unsigned &Hash) : Hash(Hash) { } 811 812 void MacroDefined(const Token &MacroNameTok, 813 const MacroDirective *MD) override { 814 AddDefinedMacroToHash(MacroNameTok, Hash); 815 } 816 }; 817 818 /// \brief Add the given declaration to the hash of all top-level entities. 819 void AddTopLevelDeclarationToHash(Decl *D, unsigned &Hash) { 820 if (!D) 821 return; 822 823 DeclContext *DC = D->getDeclContext(); 824 if (!DC) 825 return; 826 827 if (!(DC->isTranslationUnit() || DC->getLookupParent()->isTranslationUnit())) 828 return; 829 830 if (NamedDecl *ND = dyn_cast<NamedDecl>(D)) { 831 if (EnumDecl *EnumD = dyn_cast<EnumDecl>(D)) { 832 // For an unscoped enum include the enumerators in the hash since they 833 // enter the top-level namespace. 834 if (!EnumD->isScoped()) { 835 for (const auto *EI : EnumD->enumerators()) { 836 if (EI->getIdentifier()) 837 Hash = llvm::HashString(EI->getIdentifier()->getName(), Hash); 838 } 839 } 840 } 841 842 if (ND->getIdentifier()) 843 Hash = llvm::HashString(ND->getIdentifier()->getName(), Hash); 844 else if (DeclarationName Name = ND->getDeclName()) { 845 std::string NameStr = Name.getAsString(); 846 Hash = llvm::HashString(NameStr, Hash); 847 } 848 return; 849 } 850 851 if (ImportDecl *ImportD = dyn_cast<ImportDecl>(D)) { 852 if (Module *Mod = ImportD->getImportedModule()) { 853 std::string ModName = Mod->getFullModuleName(); 854 Hash = llvm::HashString(ModName, Hash); 855 } 856 return; 857 } 858 } 859 860 class TopLevelDeclTrackerConsumer : public ASTConsumer { 861 ASTUnit &Unit; 862 unsigned &Hash; 863 864 public: 865 TopLevelDeclTrackerConsumer(ASTUnit &_Unit, unsigned &Hash) 866 : Unit(_Unit), Hash(Hash) { 867 Hash = 0; 868 } 869 870 void handleTopLevelDecl(Decl *D) { 871 if (!D) 872 return; 873 874 // FIXME: Currently ObjC method declarations are incorrectly being 875 // reported as top-level declarations, even though their DeclContext 876 // is the containing ObjC @interface/@implementation. This is a 877 // fundamental problem in the parser right now. 878 if (isa<ObjCMethodDecl>(D)) 879 return; 880 881 AddTopLevelDeclarationToHash(D, Hash); 882 Unit.addTopLevelDecl(D); 883 884 handleFileLevelDecl(D); 885 } 886 887 void handleFileLevelDecl(Decl *D) { 888 Unit.addFileLevelDecl(D); 889 if (NamespaceDecl *NSD = dyn_cast<NamespaceDecl>(D)) { 890 for (auto *I : NSD->decls()) 891 handleFileLevelDecl(I); 892 } 893 } 894 895 bool HandleTopLevelDecl(DeclGroupRef D) override { 896 for (Decl *TopLevelDecl : D) 897 handleTopLevelDecl(TopLevelDecl); 898 return true; 899 } 900 901 // We're not interested in "interesting" decls. 902 void HandleInterestingDecl(DeclGroupRef) override {} 903 904 void HandleTopLevelDeclInObjCContainer(DeclGroupRef D) override { 905 for (Decl *TopLevelDecl : D) 906 handleTopLevelDecl(TopLevelDecl); 907 } 908 909 ASTMutationListener *GetASTMutationListener() override { 910 return Unit.getASTMutationListener(); 911 } 912 913 ASTDeserializationListener *GetASTDeserializationListener() override { 914 return Unit.getDeserializationListener(); 915 } 916 }; 917 918 class TopLevelDeclTrackerAction : public ASTFrontendAction { 919 public: 920 ASTUnit &Unit; 921 922 std::unique_ptr<ASTConsumer> CreateASTConsumer(CompilerInstance &CI, 923 StringRef InFile) override { 924 CI.getPreprocessor().addPPCallbacks( 925 llvm::make_unique<MacroDefinitionTrackerPPCallbacks>( 926 Unit.getCurrentTopLevelHashValue())); 927 return llvm::make_unique<TopLevelDeclTrackerConsumer>( 928 Unit, Unit.getCurrentTopLevelHashValue()); 929 } 930 931 public: 932 TopLevelDeclTrackerAction(ASTUnit &_Unit) : Unit(_Unit) {} 933 934 bool hasCodeCompletionSupport() const override { return false; } 935 TranslationUnitKind getTranslationUnitKind() override { 936 return Unit.getTranslationUnitKind(); 937 } 938 }; 939 940 class ASTUnitPreambleCallbacks : public PreambleCallbacks { 941 public: 942 unsigned getHash() const { return Hash; } 943 944 std::vector<Decl *> takeTopLevelDecls() { return std::move(TopLevelDecls); } 945 946 std::vector<serialization::DeclID> takeTopLevelDeclIDs() { 947 return std::move(TopLevelDeclIDs); 948 } 949 950 void AfterPCHEmitted(ASTWriter &Writer) override { 951 TopLevelDeclIDs.reserve(TopLevelDecls.size()); 952 for (Decl *D : TopLevelDecls) { 953 // Invalid top-level decls may not have been serialized. 954 if (D->isInvalidDecl()) 955 continue; 956 TopLevelDeclIDs.push_back(Writer.getDeclID(D)); 957 } 958 } 959 960 void HandleTopLevelDecl(DeclGroupRef DG) override { 961 for (Decl *D : DG) { 962 // FIXME: Currently ObjC method declarations are incorrectly being 963 // reported as top-level declarations, even though their DeclContext 964 // is the containing ObjC @interface/@implementation. This is a 965 // fundamental problem in the parser right now. 966 if (isa<ObjCMethodDecl>(D)) 967 continue; 968 AddTopLevelDeclarationToHash(D, Hash); 969 TopLevelDecls.push_back(D); 970 } 971 } 972 973 void HandleMacroDefined(const Token &MacroNameTok, 974 const MacroDirective *MD) override { 975 AddDefinedMacroToHash(MacroNameTok, Hash); 976 } 977 978 private: 979 unsigned Hash = 0; 980 std::vector<Decl *> TopLevelDecls; 981 std::vector<serialization::DeclID> TopLevelDeclIDs; 982 llvm::SmallVector<ASTUnit::StandaloneDiagnostic, 4> PreambleDiags; 983 }; 984 985 } // anonymous namespace 986 987 static bool isNonDriverDiag(const StoredDiagnostic &StoredDiag) { 988 return StoredDiag.getLocation().isValid(); 989 } 990 991 static void 992 checkAndRemoveNonDriverDiags(SmallVectorImpl<StoredDiagnostic> &StoredDiags) { 993 // Get rid of stored diagnostics except the ones from the driver which do not 994 // have a source location. 995 StoredDiags.erase( 996 std::remove_if(StoredDiags.begin(), StoredDiags.end(), isNonDriverDiag), 997 StoredDiags.end()); 998 } 999 1000 static void checkAndSanitizeDiags(SmallVectorImpl<StoredDiagnostic> & 1001 StoredDiagnostics, 1002 SourceManager &SM) { 1003 // The stored diagnostic has the old source manager in it; update 1004 // the locations to refer into the new source manager. Since we've 1005 // been careful to make sure that the source manager's state 1006 // before and after are identical, so that we can reuse the source 1007 // location itself. 1008 for (StoredDiagnostic &SD : StoredDiagnostics) { 1009 if (SD.getLocation().isValid()) { 1010 FullSourceLoc Loc(SD.getLocation(), SM); 1011 SD.setLocation(Loc); 1012 } 1013 } 1014 } 1015 1016 /// Parse the source file into a translation unit using the given compiler 1017 /// invocation, replacing the current translation unit. 1018 /// 1019 /// \returns True if a failure occurred that causes the ASTUnit not to 1020 /// contain any translation-unit information, false otherwise. 1021 bool ASTUnit::Parse(std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1022 std::unique_ptr<llvm::MemoryBuffer> OverrideMainBuffer, 1023 IntrusiveRefCntPtr<vfs::FileSystem> VFS) { 1024 if (!Invocation) 1025 return true; 1026 1027 auto CCInvocation = std::make_shared<CompilerInvocation>(*Invocation); 1028 if (OverrideMainBuffer) { 1029 assert(Preamble && 1030 "No preamble was built, but OverrideMainBuffer is not null"); 1031 IntrusiveRefCntPtr<vfs::FileSystem> OldVFS = VFS; 1032 Preamble->AddImplicitPreamble(*CCInvocation, VFS, OverrideMainBuffer.get()); 1033 if (OldVFS != VFS && FileMgr) { 1034 assert(OldVFS == FileMgr->getVirtualFileSystem() && 1035 "VFS passed to Parse and VFS in FileMgr are different"); 1036 FileMgr = new FileManager(FileMgr->getFileSystemOpts(), VFS); 1037 } 1038 } 1039 1040 // Create the compiler instance to use for building the AST. 1041 std::unique_ptr<CompilerInstance> Clang( 1042 new CompilerInstance(std::move(PCHContainerOps))); 1043 if (FileMgr && VFS) { 1044 assert(VFS == FileMgr->getVirtualFileSystem() && 1045 "VFS passed to Parse and VFS in FileMgr are different"); 1046 } else if (VFS) { 1047 Clang->setVirtualFileSystem(VFS); 1048 } 1049 1050 // Recover resources if we crash before exiting this method. 1051 llvm::CrashRecoveryContextCleanupRegistrar<CompilerInstance> 1052 CICleanup(Clang.get()); 1053 1054 Clang->setInvocation(CCInvocation); 1055 OriginalSourceFile = Clang->getFrontendOpts().Inputs[0].getFile(); 1056 1057 // Set up diagnostics, capturing any diagnostics that would 1058 // otherwise be dropped. 1059 Clang->setDiagnostics(&getDiagnostics()); 1060 1061 // Create the target instance. 1062 Clang->setTarget(TargetInfo::CreateTargetInfo( 1063 Clang->getDiagnostics(), Clang->getInvocation().TargetOpts)); 1064 if (!Clang->hasTarget()) 1065 return true; 1066 1067 // Inform the target of the language options. 1068 // 1069 // FIXME: We shouldn't need to do this, the target should be immutable once 1070 // created. This complexity should be lifted elsewhere. 1071 Clang->getTarget().adjust(Clang->getLangOpts()); 1072 1073 assert(Clang->getFrontendOpts().Inputs.size() == 1 && 1074 "Invocation must have exactly one source file!"); 1075 assert(Clang->getFrontendOpts().Inputs[0].getKind().getFormat() == 1076 InputKind::Source && 1077 "FIXME: AST inputs not yet supported here!"); 1078 assert(Clang->getFrontendOpts().Inputs[0].getKind().getLanguage() != 1079 InputKind::LLVM_IR && 1080 "IR inputs not support here!"); 1081 1082 // Configure the various subsystems. 1083 LangOpts = Clang->getInvocation().LangOpts; 1084 FileSystemOpts = Clang->getFileSystemOpts(); 1085 if (!FileMgr) { 1086 Clang->createFileManager(); 1087 FileMgr = &Clang->getFileManager(); 1088 } 1089 1090 ResetForParse(); 1091 1092 SourceMgr = new SourceManager(getDiagnostics(), *FileMgr, 1093 UserFilesAreVolatile); 1094 if (!OverrideMainBuffer) { 1095 checkAndRemoveNonDriverDiags(StoredDiagnostics); 1096 TopLevelDeclsInPreamble.clear(); 1097 } 1098 1099 // Create a file manager object to provide access to and cache the filesystem. 1100 Clang->setFileManager(&getFileManager()); 1101 1102 // Create the source manager. 1103 Clang->setSourceManager(&getSourceManager()); 1104 1105 // If the main file has been overridden due to the use of a preamble, 1106 // make that override happen and introduce the preamble. 1107 if (OverrideMainBuffer) { 1108 // The stored diagnostic has the old source manager in it; update 1109 // the locations to refer into the new source manager. Since we've 1110 // been careful to make sure that the source manager's state 1111 // before and after are identical, so that we can reuse the source 1112 // location itself. 1113 checkAndSanitizeDiags(StoredDiagnostics, getSourceManager()); 1114 1115 // Keep track of the override buffer; 1116 SavedMainFileBuffer = std::move(OverrideMainBuffer); 1117 } 1118 1119 std::unique_ptr<TopLevelDeclTrackerAction> Act( 1120 new TopLevelDeclTrackerAction(*this)); 1121 1122 // Recover resources if we crash before exiting this method. 1123 llvm::CrashRecoveryContextCleanupRegistrar<TopLevelDeclTrackerAction> 1124 ActCleanup(Act.get()); 1125 1126 if (!Act->BeginSourceFile(*Clang.get(), Clang->getFrontendOpts().Inputs[0])) 1127 goto error; 1128 1129 if (SavedMainFileBuffer) 1130 TranslateStoredDiagnostics(getFileManager(), getSourceManager(), 1131 PreambleDiagnostics, StoredDiagnostics); 1132 else 1133 PreambleSrcLocCache.clear(); 1134 1135 if (!Act->Execute()) 1136 goto error; 1137 1138 transferASTDataFromCompilerInstance(*Clang); 1139 1140 Act->EndSourceFile(); 1141 1142 FailedParseDiagnostics.clear(); 1143 1144 return false; 1145 1146 error: 1147 // Remove the overridden buffer we used for the preamble. 1148 SavedMainFileBuffer = nullptr; 1149 1150 // Keep the ownership of the data in the ASTUnit because the client may 1151 // want to see the diagnostics. 1152 transferASTDataFromCompilerInstance(*Clang); 1153 FailedParseDiagnostics.swap(StoredDiagnostics); 1154 StoredDiagnostics.clear(); 1155 NumStoredDiagnosticsFromDriver = 0; 1156 return true; 1157 } 1158 1159 static std::pair<unsigned, unsigned> 1160 makeStandaloneRange(CharSourceRange Range, const SourceManager &SM, 1161 const LangOptions &LangOpts) { 1162 CharSourceRange FileRange = Lexer::makeFileCharRange(Range, SM, LangOpts); 1163 unsigned Offset = SM.getFileOffset(FileRange.getBegin()); 1164 unsigned EndOffset = SM.getFileOffset(FileRange.getEnd()); 1165 return std::make_pair(Offset, EndOffset); 1166 } 1167 1168 static ASTUnit::StandaloneFixIt makeStandaloneFixIt(const SourceManager &SM, 1169 const LangOptions &LangOpts, 1170 const FixItHint &InFix) { 1171 ASTUnit::StandaloneFixIt OutFix; 1172 OutFix.RemoveRange = makeStandaloneRange(InFix.RemoveRange, SM, LangOpts); 1173 OutFix.InsertFromRange = makeStandaloneRange(InFix.InsertFromRange, SM, 1174 LangOpts); 1175 OutFix.CodeToInsert = InFix.CodeToInsert; 1176 OutFix.BeforePreviousInsertions = InFix.BeforePreviousInsertions; 1177 return OutFix; 1178 } 1179 1180 static ASTUnit::StandaloneDiagnostic 1181 makeStandaloneDiagnostic(const LangOptions &LangOpts, 1182 const StoredDiagnostic &InDiag) { 1183 ASTUnit::StandaloneDiagnostic OutDiag; 1184 OutDiag.ID = InDiag.getID(); 1185 OutDiag.Level = InDiag.getLevel(); 1186 OutDiag.Message = InDiag.getMessage(); 1187 OutDiag.LocOffset = 0; 1188 if (InDiag.getLocation().isInvalid()) 1189 return OutDiag; 1190 const SourceManager &SM = InDiag.getLocation().getManager(); 1191 SourceLocation FileLoc = SM.getFileLoc(InDiag.getLocation()); 1192 OutDiag.Filename = SM.getFilename(FileLoc); 1193 if (OutDiag.Filename.empty()) 1194 return OutDiag; 1195 OutDiag.LocOffset = SM.getFileOffset(FileLoc); 1196 for (const CharSourceRange &Range : InDiag.getRanges()) 1197 OutDiag.Ranges.push_back(makeStandaloneRange(Range, SM, LangOpts)); 1198 for (const FixItHint &FixIt : InDiag.getFixIts()) 1199 OutDiag.FixIts.push_back(makeStandaloneFixIt(SM, LangOpts, FixIt)); 1200 1201 return OutDiag; 1202 } 1203 1204 /// \brief Attempt to build or re-use a precompiled preamble when (re-)parsing 1205 /// the source file. 1206 /// 1207 /// This routine will compute the preamble of the main source file. If a 1208 /// non-trivial preamble is found, it will precompile that preamble into a 1209 /// precompiled header so that the precompiled preamble can be used to reduce 1210 /// reparsing time. If a precompiled preamble has already been constructed, 1211 /// this routine will determine if it is still valid and, if so, avoid 1212 /// rebuilding the precompiled preamble. 1213 /// 1214 /// \param AllowRebuild When true (the default), this routine is 1215 /// allowed to rebuild the precompiled preamble if it is found to be 1216 /// out-of-date. 1217 /// 1218 /// \param MaxLines When non-zero, the maximum number of lines that 1219 /// can occur within the preamble. 1220 /// 1221 /// \returns If the precompiled preamble can be used, returns a newly-allocated 1222 /// buffer that should be used in place of the main file when doing so. 1223 /// Otherwise, returns a NULL pointer. 1224 std::unique_ptr<llvm::MemoryBuffer> 1225 ASTUnit::getMainBufferWithPrecompiledPreamble( 1226 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1227 const CompilerInvocation &PreambleInvocationIn, 1228 IntrusiveRefCntPtr<vfs::FileSystem> VFS, bool AllowRebuild, 1229 unsigned MaxLines) { 1230 1231 auto MainFilePath = 1232 PreambleInvocationIn.getFrontendOpts().Inputs[0].getFile(); 1233 std::unique_ptr<llvm::MemoryBuffer> MainFileBuffer = 1234 getBufferForFileHandlingRemapping(PreambleInvocationIn, VFS.get(), 1235 MainFilePath); 1236 if (!MainFileBuffer) 1237 return nullptr; 1238 1239 PreambleBounds Bounds = 1240 ComputePreambleBounds(*PreambleInvocationIn.getLangOpts(), 1241 MainFileBuffer.get(), MaxLines); 1242 if (!Bounds.Size) 1243 return nullptr; 1244 1245 if (Preamble) { 1246 if (Preamble->CanReuse(PreambleInvocationIn, MainFileBuffer.get(), Bounds, 1247 VFS.get())) { 1248 // Okay! We can re-use the precompiled preamble. 1249 1250 // Set the state of the diagnostic object to mimic its state 1251 // after parsing the preamble. 1252 getDiagnostics().Reset(); 1253 ProcessWarningOptions(getDiagnostics(), 1254 PreambleInvocationIn.getDiagnosticOpts()); 1255 getDiagnostics().setNumWarnings(NumWarningsInPreamble); 1256 1257 PreambleRebuildCounter = 1; 1258 return MainFileBuffer; 1259 } else { 1260 Preamble.reset(); 1261 PreambleDiagnostics.clear(); 1262 TopLevelDeclsInPreamble.clear(); 1263 PreambleRebuildCounter = 1; 1264 } 1265 } 1266 1267 // If the preamble rebuild counter > 1, it's because we previously 1268 // failed to build a preamble and we're not yet ready to try 1269 // again. Decrement the counter and return a failure. 1270 if (PreambleRebuildCounter > 1) { 1271 --PreambleRebuildCounter; 1272 return nullptr; 1273 } 1274 1275 assert(!Preamble && "No Preamble should be stored at that point"); 1276 // If we aren't allowed to rebuild the precompiled preamble, just 1277 // return now. 1278 if (!AllowRebuild) 1279 return nullptr; 1280 1281 SmallVector<StandaloneDiagnostic, 4> NewPreambleDiagsStandalone; 1282 SmallVector<StoredDiagnostic, 4> NewPreambleDiags; 1283 ASTUnitPreambleCallbacks Callbacks; 1284 { 1285 llvm::Optional<CaptureDroppedDiagnostics> Capture; 1286 if (CaptureDiagnostics) 1287 Capture.emplace(/*RequestCapture=*/true, *Diagnostics, &NewPreambleDiags, 1288 &NewPreambleDiagsStandalone); 1289 1290 // We did not previously compute a preamble, or it can't be reused anyway. 1291 SimpleTimer PreambleTimer(WantTiming); 1292 PreambleTimer.setOutput("Precompiling preamble"); 1293 1294 llvm::ErrorOr<PrecompiledPreamble> NewPreamble = PrecompiledPreamble::Build( 1295 PreambleInvocationIn, MainFileBuffer.get(), Bounds, *Diagnostics, VFS, 1296 PCHContainerOps, /*StoreInMemory=*/false, Callbacks); 1297 if (NewPreamble) { 1298 Preamble = std::move(*NewPreamble); 1299 PreambleRebuildCounter = 1; 1300 } else { 1301 switch (static_cast<BuildPreambleError>(NewPreamble.getError().value())) { 1302 case BuildPreambleError::CouldntCreateTempFile: 1303 case BuildPreambleError::PreambleIsEmpty: 1304 // Try again next time. 1305 PreambleRebuildCounter = 1; 1306 return nullptr; 1307 case BuildPreambleError::CouldntCreateTargetInfo: 1308 case BuildPreambleError::BeginSourceFileFailed: 1309 case BuildPreambleError::CouldntEmitPCH: 1310 case BuildPreambleError::CouldntCreateVFSOverlay: 1311 // These erros are more likely to repeat, retry after some period. 1312 PreambleRebuildCounter = DefaultPreambleRebuildInterval; 1313 return nullptr; 1314 } 1315 llvm_unreachable("unexpected BuildPreambleError"); 1316 } 1317 } 1318 1319 assert(Preamble && "Preamble wasn't built"); 1320 1321 TopLevelDecls.clear(); 1322 TopLevelDeclsInPreamble = Callbacks.takeTopLevelDeclIDs(); 1323 PreambleTopLevelHashValue = Callbacks.getHash(); 1324 1325 NumWarningsInPreamble = getDiagnostics().getNumWarnings(); 1326 1327 checkAndRemoveNonDriverDiags(NewPreambleDiags); 1328 StoredDiagnostics = std::move(NewPreambleDiags); 1329 PreambleDiagnostics = std::move(NewPreambleDiagsStandalone); 1330 1331 // If the hash of top-level entities differs from the hash of the top-level 1332 // entities the last time we rebuilt the preamble, clear out the completion 1333 // cache. 1334 if (CurrentTopLevelHashValue != PreambleTopLevelHashValue) { 1335 CompletionCacheTopLevelHashValue = 0; 1336 PreambleTopLevelHashValue = CurrentTopLevelHashValue; 1337 } 1338 1339 return MainFileBuffer; 1340 } 1341 1342 void ASTUnit::RealizeTopLevelDeclsFromPreamble() { 1343 assert(Preamble && "Should only be called when preamble was built"); 1344 1345 std::vector<Decl *> Resolved; 1346 Resolved.reserve(TopLevelDeclsInPreamble.size()); 1347 ExternalASTSource &Source = *getASTContext().getExternalSource(); 1348 for (serialization::DeclID TopLevelDecl : TopLevelDeclsInPreamble) { 1349 // Resolve the declaration ID to an actual declaration, possibly 1350 // deserializing the declaration in the process. 1351 if (Decl *D = Source.GetExternalDecl(TopLevelDecl)) 1352 Resolved.push_back(D); 1353 } 1354 TopLevelDeclsInPreamble.clear(); 1355 TopLevelDecls.insert(TopLevelDecls.begin(), Resolved.begin(), Resolved.end()); 1356 } 1357 1358 void ASTUnit::transferASTDataFromCompilerInstance(CompilerInstance &CI) { 1359 // Steal the created target, context, and preprocessor if they have been 1360 // created. 1361 assert(CI.hasInvocation() && "missing invocation"); 1362 LangOpts = CI.getInvocation().LangOpts; 1363 TheSema = CI.takeSema(); 1364 Consumer = CI.takeASTConsumer(); 1365 if (CI.hasASTContext()) 1366 Ctx = &CI.getASTContext(); 1367 if (CI.hasPreprocessor()) 1368 PP = CI.getPreprocessorPtr(); 1369 CI.setSourceManager(nullptr); 1370 CI.setFileManager(nullptr); 1371 if (CI.hasTarget()) 1372 Target = &CI.getTarget(); 1373 Reader = CI.getModuleManager(); 1374 HadModuleLoaderFatalFailure = CI.hadModuleLoaderFatalFailure(); 1375 } 1376 1377 StringRef ASTUnit::getMainFileName() const { 1378 if (Invocation && !Invocation->getFrontendOpts().Inputs.empty()) { 1379 const FrontendInputFile &Input = Invocation->getFrontendOpts().Inputs[0]; 1380 if (Input.isFile()) 1381 return Input.getFile(); 1382 else 1383 return Input.getBuffer()->getBufferIdentifier(); 1384 } 1385 1386 if (SourceMgr) { 1387 if (const FileEntry * 1388 FE = SourceMgr->getFileEntryForID(SourceMgr->getMainFileID())) 1389 return FE->getName(); 1390 } 1391 1392 return StringRef(); 1393 } 1394 1395 StringRef ASTUnit::getASTFileName() const { 1396 if (!isMainFileAST()) 1397 return StringRef(); 1398 1399 serialization::ModuleFile & 1400 Mod = Reader->getModuleManager().getPrimaryModule(); 1401 return Mod.FileName; 1402 } 1403 1404 std::unique_ptr<ASTUnit> 1405 ASTUnit::create(std::shared_ptr<CompilerInvocation> CI, 1406 IntrusiveRefCntPtr<DiagnosticsEngine> Diags, 1407 bool CaptureDiagnostics, bool UserFilesAreVolatile) { 1408 std::unique_ptr<ASTUnit> AST(new ASTUnit(false)); 1409 ConfigureDiags(Diags, *AST, CaptureDiagnostics); 1410 IntrusiveRefCntPtr<vfs::FileSystem> VFS = 1411 createVFSFromCompilerInvocation(*CI, *Diags); 1412 if (!VFS) 1413 return nullptr; 1414 AST->Diagnostics = Diags; 1415 AST->FileSystemOpts = CI->getFileSystemOpts(); 1416 AST->Invocation = std::move(CI); 1417 AST->FileMgr = new FileManager(AST->FileSystemOpts, VFS); 1418 AST->UserFilesAreVolatile = UserFilesAreVolatile; 1419 AST->SourceMgr = new SourceManager(AST->getDiagnostics(), *AST->FileMgr, 1420 UserFilesAreVolatile); 1421 AST->PCMCache = new MemoryBufferCache; 1422 1423 return AST; 1424 } 1425 1426 ASTUnit *ASTUnit::LoadFromCompilerInvocationAction( 1427 std::shared_ptr<CompilerInvocation> CI, 1428 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1429 IntrusiveRefCntPtr<DiagnosticsEngine> Diags, FrontendAction *Action, 1430 ASTUnit *Unit, bool Persistent, StringRef ResourceFilesPath, 1431 bool OnlyLocalDecls, bool CaptureDiagnostics, 1432 unsigned PrecompilePreambleAfterNParses, bool CacheCodeCompletionResults, 1433 bool IncludeBriefCommentsInCodeCompletion, bool UserFilesAreVolatile, 1434 std::unique_ptr<ASTUnit> *ErrAST) { 1435 assert(CI && "A CompilerInvocation is required"); 1436 1437 std::unique_ptr<ASTUnit> OwnAST; 1438 ASTUnit *AST = Unit; 1439 if (!AST) { 1440 // Create the AST unit. 1441 OwnAST = create(CI, Diags, CaptureDiagnostics, UserFilesAreVolatile); 1442 AST = OwnAST.get(); 1443 if (!AST) 1444 return nullptr; 1445 } 1446 1447 if (!ResourceFilesPath.empty()) { 1448 // Override the resources path. 1449 CI->getHeaderSearchOpts().ResourceDir = ResourceFilesPath; 1450 } 1451 AST->OnlyLocalDecls = OnlyLocalDecls; 1452 AST->CaptureDiagnostics = CaptureDiagnostics; 1453 if (PrecompilePreambleAfterNParses > 0) 1454 AST->PreambleRebuildCounter = PrecompilePreambleAfterNParses; 1455 AST->TUKind = Action ? Action->getTranslationUnitKind() : TU_Complete; 1456 AST->ShouldCacheCodeCompletionResults = CacheCodeCompletionResults; 1457 AST->IncludeBriefCommentsInCodeCompletion 1458 = IncludeBriefCommentsInCodeCompletion; 1459 1460 // Recover resources if we crash before exiting this method. 1461 llvm::CrashRecoveryContextCleanupRegistrar<ASTUnit> 1462 ASTUnitCleanup(OwnAST.get()); 1463 llvm::CrashRecoveryContextCleanupRegistrar<DiagnosticsEngine, 1464 llvm::CrashRecoveryContextReleaseRefCleanup<DiagnosticsEngine> > 1465 DiagCleanup(Diags.get()); 1466 1467 // We'll manage file buffers ourselves. 1468 CI->getPreprocessorOpts().RetainRemappedFileBuffers = true; 1469 CI->getFrontendOpts().DisableFree = false; 1470 ProcessWarningOptions(AST->getDiagnostics(), CI->getDiagnosticOpts()); 1471 1472 // Create the compiler instance to use for building the AST. 1473 std::unique_ptr<CompilerInstance> Clang( 1474 new CompilerInstance(std::move(PCHContainerOps))); 1475 1476 // Recover resources if we crash before exiting this method. 1477 llvm::CrashRecoveryContextCleanupRegistrar<CompilerInstance> 1478 CICleanup(Clang.get()); 1479 1480 Clang->setInvocation(std::move(CI)); 1481 AST->OriginalSourceFile = Clang->getFrontendOpts().Inputs[0].getFile(); 1482 1483 // Set up diagnostics, capturing any diagnostics that would 1484 // otherwise be dropped. 1485 Clang->setDiagnostics(&AST->getDiagnostics()); 1486 1487 // Create the target instance. 1488 Clang->setTarget(TargetInfo::CreateTargetInfo( 1489 Clang->getDiagnostics(), Clang->getInvocation().TargetOpts)); 1490 if (!Clang->hasTarget()) 1491 return nullptr; 1492 1493 // Inform the target of the language options. 1494 // 1495 // FIXME: We shouldn't need to do this, the target should be immutable once 1496 // created. This complexity should be lifted elsewhere. 1497 Clang->getTarget().adjust(Clang->getLangOpts()); 1498 1499 assert(Clang->getFrontendOpts().Inputs.size() == 1 && 1500 "Invocation must have exactly one source file!"); 1501 assert(Clang->getFrontendOpts().Inputs[0].getKind().getFormat() == 1502 InputKind::Source && 1503 "FIXME: AST inputs not yet supported here!"); 1504 assert(Clang->getFrontendOpts().Inputs[0].getKind().getLanguage() != 1505 InputKind::LLVM_IR && 1506 "IR inputs not support here!"); 1507 1508 // Configure the various subsystems. 1509 AST->TheSema.reset(); 1510 AST->Ctx = nullptr; 1511 AST->PP = nullptr; 1512 AST->Reader = nullptr; 1513 1514 // Create a file manager object to provide access to and cache the filesystem. 1515 Clang->setFileManager(&AST->getFileManager()); 1516 1517 // Create the source manager. 1518 Clang->setSourceManager(&AST->getSourceManager()); 1519 1520 FrontendAction *Act = Action; 1521 1522 std::unique_ptr<TopLevelDeclTrackerAction> TrackerAct; 1523 if (!Act) { 1524 TrackerAct.reset(new TopLevelDeclTrackerAction(*AST)); 1525 Act = TrackerAct.get(); 1526 } 1527 1528 // Recover resources if we crash before exiting this method. 1529 llvm::CrashRecoveryContextCleanupRegistrar<TopLevelDeclTrackerAction> 1530 ActCleanup(TrackerAct.get()); 1531 1532 if (!Act->BeginSourceFile(*Clang.get(), Clang->getFrontendOpts().Inputs[0])) { 1533 AST->transferASTDataFromCompilerInstance(*Clang); 1534 if (OwnAST && ErrAST) 1535 ErrAST->swap(OwnAST); 1536 1537 return nullptr; 1538 } 1539 1540 if (Persistent && !TrackerAct) { 1541 Clang->getPreprocessor().addPPCallbacks( 1542 llvm::make_unique<MacroDefinitionTrackerPPCallbacks>( 1543 AST->getCurrentTopLevelHashValue())); 1544 std::vector<std::unique_ptr<ASTConsumer>> Consumers; 1545 if (Clang->hasASTConsumer()) 1546 Consumers.push_back(Clang->takeASTConsumer()); 1547 Consumers.push_back(llvm::make_unique<TopLevelDeclTrackerConsumer>( 1548 *AST, AST->getCurrentTopLevelHashValue())); 1549 Clang->setASTConsumer( 1550 llvm::make_unique<MultiplexConsumer>(std::move(Consumers))); 1551 } 1552 if (!Act->Execute()) { 1553 AST->transferASTDataFromCompilerInstance(*Clang); 1554 if (OwnAST && ErrAST) 1555 ErrAST->swap(OwnAST); 1556 1557 return nullptr; 1558 } 1559 1560 // Steal the created target, context, and preprocessor. 1561 AST->transferASTDataFromCompilerInstance(*Clang); 1562 1563 Act->EndSourceFile(); 1564 1565 if (OwnAST) 1566 return OwnAST.release(); 1567 else 1568 return AST; 1569 } 1570 1571 bool ASTUnit::LoadFromCompilerInvocation( 1572 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1573 unsigned PrecompilePreambleAfterNParses, 1574 IntrusiveRefCntPtr<vfs::FileSystem> VFS) { 1575 if (!Invocation) 1576 return true; 1577 1578 assert(VFS && "VFS is null"); 1579 1580 // We'll manage file buffers ourselves. 1581 Invocation->getPreprocessorOpts().RetainRemappedFileBuffers = true; 1582 Invocation->getFrontendOpts().DisableFree = false; 1583 getDiagnostics().Reset(); 1584 ProcessWarningOptions(getDiagnostics(), Invocation->getDiagnosticOpts()); 1585 1586 std::unique_ptr<llvm::MemoryBuffer> OverrideMainBuffer; 1587 if (PrecompilePreambleAfterNParses > 0) { 1588 PreambleRebuildCounter = PrecompilePreambleAfterNParses; 1589 OverrideMainBuffer = 1590 getMainBufferWithPrecompiledPreamble(PCHContainerOps, *Invocation, VFS); 1591 getDiagnostics().Reset(); 1592 ProcessWarningOptions(getDiagnostics(), Invocation->getDiagnosticOpts()); 1593 } 1594 1595 SimpleTimer ParsingTimer(WantTiming); 1596 ParsingTimer.setOutput("Parsing " + getMainFileName()); 1597 1598 // Recover resources if we crash before exiting this method. 1599 llvm::CrashRecoveryContextCleanupRegistrar<llvm::MemoryBuffer> 1600 MemBufferCleanup(OverrideMainBuffer.get()); 1601 1602 return Parse(std::move(PCHContainerOps), std::move(OverrideMainBuffer), VFS); 1603 } 1604 1605 std::unique_ptr<ASTUnit> ASTUnit::LoadFromCompilerInvocation( 1606 std::shared_ptr<CompilerInvocation> CI, 1607 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1608 IntrusiveRefCntPtr<DiagnosticsEngine> Diags, FileManager *FileMgr, 1609 bool OnlyLocalDecls, bool CaptureDiagnostics, 1610 unsigned PrecompilePreambleAfterNParses, TranslationUnitKind TUKind, 1611 bool CacheCodeCompletionResults, bool IncludeBriefCommentsInCodeCompletion, 1612 bool UserFilesAreVolatile) { 1613 // Create the AST unit. 1614 std::unique_ptr<ASTUnit> AST(new ASTUnit(false)); 1615 ConfigureDiags(Diags, *AST, CaptureDiagnostics); 1616 AST->Diagnostics = Diags; 1617 AST->OnlyLocalDecls = OnlyLocalDecls; 1618 AST->CaptureDiagnostics = CaptureDiagnostics; 1619 AST->TUKind = TUKind; 1620 AST->ShouldCacheCodeCompletionResults = CacheCodeCompletionResults; 1621 AST->IncludeBriefCommentsInCodeCompletion 1622 = IncludeBriefCommentsInCodeCompletion; 1623 AST->Invocation = std::move(CI); 1624 AST->FileSystemOpts = FileMgr->getFileSystemOpts(); 1625 AST->FileMgr = FileMgr; 1626 AST->UserFilesAreVolatile = UserFilesAreVolatile; 1627 1628 // Recover resources if we crash before exiting this method. 1629 llvm::CrashRecoveryContextCleanupRegistrar<ASTUnit> 1630 ASTUnitCleanup(AST.get()); 1631 llvm::CrashRecoveryContextCleanupRegistrar<DiagnosticsEngine, 1632 llvm::CrashRecoveryContextReleaseRefCleanup<DiagnosticsEngine> > 1633 DiagCleanup(Diags.get()); 1634 1635 if (AST->LoadFromCompilerInvocation(std::move(PCHContainerOps), 1636 PrecompilePreambleAfterNParses, 1637 AST->FileMgr->getVirtualFileSystem())) 1638 return nullptr; 1639 return AST; 1640 } 1641 1642 ASTUnit *ASTUnit::LoadFromCommandLine( 1643 const char **ArgBegin, const char **ArgEnd, 1644 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1645 IntrusiveRefCntPtr<DiagnosticsEngine> Diags, StringRef ResourceFilesPath, 1646 bool OnlyLocalDecls, bool CaptureDiagnostics, 1647 ArrayRef<RemappedFile> RemappedFiles, bool RemappedFilesKeepOriginalName, 1648 unsigned PrecompilePreambleAfterNParses, TranslationUnitKind TUKind, 1649 bool CacheCodeCompletionResults, bool IncludeBriefCommentsInCodeCompletion, 1650 bool AllowPCHWithCompilerErrors, bool SkipFunctionBodies, 1651 bool SingleFileParse, bool UserFilesAreVolatile, bool ForSerialization, 1652 llvm::Optional<StringRef> ModuleFormat, std::unique_ptr<ASTUnit> *ErrAST, 1653 IntrusiveRefCntPtr<vfs::FileSystem> VFS) { 1654 assert(Diags.get() && "no DiagnosticsEngine was provided"); 1655 1656 SmallVector<StoredDiagnostic, 4> StoredDiagnostics; 1657 1658 std::shared_ptr<CompilerInvocation> CI; 1659 1660 { 1661 1662 CaptureDroppedDiagnostics Capture(CaptureDiagnostics, *Diags, 1663 &StoredDiagnostics, nullptr); 1664 1665 CI = clang::createInvocationFromCommandLine( 1666 llvm::makeArrayRef(ArgBegin, ArgEnd), Diags, VFS); 1667 if (!CI) 1668 return nullptr; 1669 } 1670 1671 // Override any files that need remapping 1672 for (const auto &RemappedFile : RemappedFiles) { 1673 CI->getPreprocessorOpts().addRemappedFile(RemappedFile.first, 1674 RemappedFile.second); 1675 } 1676 PreprocessorOptions &PPOpts = CI->getPreprocessorOpts(); 1677 PPOpts.RemappedFilesKeepOriginalName = RemappedFilesKeepOriginalName; 1678 PPOpts.AllowPCHWithCompilerErrors = AllowPCHWithCompilerErrors; 1679 PPOpts.SingleFileParseMode = SingleFileParse; 1680 1681 // Override the resources path. 1682 CI->getHeaderSearchOpts().ResourceDir = ResourceFilesPath; 1683 1684 CI->getFrontendOpts().SkipFunctionBodies = SkipFunctionBodies; 1685 1686 if (ModuleFormat) 1687 CI->getHeaderSearchOpts().ModuleFormat = ModuleFormat.getValue(); 1688 1689 // Create the AST unit. 1690 std::unique_ptr<ASTUnit> AST; 1691 AST.reset(new ASTUnit(false)); 1692 ConfigureDiags(Diags, *AST, CaptureDiagnostics); 1693 AST->Diagnostics = Diags; 1694 AST->FileSystemOpts = CI->getFileSystemOpts(); 1695 if (!VFS) 1696 VFS = vfs::getRealFileSystem(); 1697 VFS = createVFSFromCompilerInvocation(*CI, *Diags, VFS); 1698 if (!VFS) 1699 return nullptr; 1700 AST->FileMgr = new FileManager(AST->FileSystemOpts, VFS); 1701 AST->PCMCache = new MemoryBufferCache; 1702 AST->OnlyLocalDecls = OnlyLocalDecls; 1703 AST->CaptureDiagnostics = CaptureDiagnostics; 1704 AST->TUKind = TUKind; 1705 AST->ShouldCacheCodeCompletionResults = CacheCodeCompletionResults; 1706 AST->IncludeBriefCommentsInCodeCompletion 1707 = IncludeBriefCommentsInCodeCompletion; 1708 AST->UserFilesAreVolatile = UserFilesAreVolatile; 1709 AST->NumStoredDiagnosticsFromDriver = StoredDiagnostics.size(); 1710 AST->StoredDiagnostics.swap(StoredDiagnostics); 1711 AST->Invocation = CI; 1712 if (ForSerialization) 1713 AST->WriterData.reset(new ASTWriterData(*AST->PCMCache)); 1714 // Zero out now to ease cleanup during crash recovery. 1715 CI = nullptr; 1716 Diags = nullptr; 1717 1718 // Recover resources if we crash before exiting this method. 1719 llvm::CrashRecoveryContextCleanupRegistrar<ASTUnit> 1720 ASTUnitCleanup(AST.get()); 1721 1722 if (AST->LoadFromCompilerInvocation(std::move(PCHContainerOps), 1723 PrecompilePreambleAfterNParses, 1724 VFS)) { 1725 // Some error occurred, if caller wants to examine diagnostics, pass it the 1726 // ASTUnit. 1727 if (ErrAST) { 1728 AST->StoredDiagnostics.swap(AST->FailedParseDiagnostics); 1729 ErrAST->swap(AST); 1730 } 1731 return nullptr; 1732 } 1733 1734 return AST.release(); 1735 } 1736 1737 bool ASTUnit::Reparse(std::shared_ptr<PCHContainerOperations> PCHContainerOps, 1738 ArrayRef<RemappedFile> RemappedFiles, 1739 IntrusiveRefCntPtr<vfs::FileSystem> VFS) { 1740 if (!Invocation) 1741 return true; 1742 1743 if (!VFS) { 1744 assert(FileMgr && "FileMgr is null on Reparse call"); 1745 VFS = FileMgr->getVirtualFileSystem(); 1746 } 1747 1748 clearFileLevelDecls(); 1749 1750 SimpleTimer ParsingTimer(WantTiming); 1751 ParsingTimer.setOutput("Reparsing " + getMainFileName()); 1752 1753 // Remap files. 1754 PreprocessorOptions &PPOpts = Invocation->getPreprocessorOpts(); 1755 for (const auto &RB : PPOpts.RemappedFileBuffers) 1756 delete RB.second; 1757 1758 Invocation->getPreprocessorOpts().clearRemappedFiles(); 1759 for (const auto &RemappedFile : RemappedFiles) { 1760 Invocation->getPreprocessorOpts().addRemappedFile(RemappedFile.first, 1761 RemappedFile.second); 1762 } 1763 1764 // If we have a preamble file lying around, or if we might try to 1765 // build a precompiled preamble, do so now. 1766 std::unique_ptr<llvm::MemoryBuffer> OverrideMainBuffer; 1767 if (Preamble || PreambleRebuildCounter > 0) 1768 OverrideMainBuffer = 1769 getMainBufferWithPrecompiledPreamble(PCHContainerOps, *Invocation, VFS); 1770 1771 1772 // Clear out the diagnostics state. 1773 FileMgr.reset(); 1774 getDiagnostics().Reset(); 1775 ProcessWarningOptions(getDiagnostics(), Invocation->getDiagnosticOpts()); 1776 if (OverrideMainBuffer) 1777 getDiagnostics().setNumWarnings(NumWarningsInPreamble); 1778 1779 // Parse the sources 1780 bool Result = 1781 Parse(std::move(PCHContainerOps), std::move(OverrideMainBuffer), VFS); 1782 1783 // If we're caching global code-completion results, and the top-level 1784 // declarations have changed, clear out the code-completion cache. 1785 if (!Result && ShouldCacheCodeCompletionResults && 1786 CurrentTopLevelHashValue != CompletionCacheTopLevelHashValue) 1787 CacheCodeCompletionResults(); 1788 1789 // We now need to clear out the completion info related to this translation 1790 // unit; it'll be recreated if necessary. 1791 CCTUInfo.reset(); 1792 1793 return Result; 1794 } 1795 1796 void ASTUnit::ResetForParse() { 1797 SavedMainFileBuffer.reset(); 1798 1799 SourceMgr.reset(); 1800 TheSema.reset(); 1801 Ctx.reset(); 1802 PP.reset(); 1803 Reader.reset(); 1804 1805 TopLevelDecls.clear(); 1806 clearFileLevelDecls(); 1807 } 1808 1809 //----------------------------------------------------------------------------// 1810 // Code completion 1811 //----------------------------------------------------------------------------// 1812 1813 namespace { 1814 /// \brief Code completion consumer that combines the cached code-completion 1815 /// results from an ASTUnit with the code-completion results provided to it, 1816 /// then passes the result on to 1817 class AugmentedCodeCompleteConsumer : public CodeCompleteConsumer { 1818 uint64_t NormalContexts; 1819 ASTUnit &AST; 1820 CodeCompleteConsumer &Next; 1821 1822 public: 1823 AugmentedCodeCompleteConsumer(ASTUnit &AST, CodeCompleteConsumer &Next, 1824 const CodeCompleteOptions &CodeCompleteOpts) 1825 : CodeCompleteConsumer(CodeCompleteOpts, Next.isOutputBinary()), 1826 AST(AST), Next(Next) 1827 { 1828 // Compute the set of contexts in which we will look when we don't have 1829 // any information about the specific context. 1830 NormalContexts 1831 = (1LL << CodeCompletionContext::CCC_TopLevel) 1832 | (1LL << CodeCompletionContext::CCC_ObjCInterface) 1833 | (1LL << CodeCompletionContext::CCC_ObjCImplementation) 1834 | (1LL << CodeCompletionContext::CCC_ObjCIvarList) 1835 | (1LL << CodeCompletionContext::CCC_Statement) 1836 | (1LL << CodeCompletionContext::CCC_Expression) 1837 | (1LL << CodeCompletionContext::CCC_ObjCMessageReceiver) 1838 | (1LL << CodeCompletionContext::CCC_DotMemberAccess) 1839 | (1LL << CodeCompletionContext::CCC_ArrowMemberAccess) 1840 | (1LL << CodeCompletionContext::CCC_ObjCPropertyAccess) 1841 | (1LL << CodeCompletionContext::CCC_ObjCProtocolName) 1842 | (1LL << CodeCompletionContext::CCC_ParenthesizedExpression) 1843 | (1LL << CodeCompletionContext::CCC_Recovery); 1844 1845 if (AST.getASTContext().getLangOpts().CPlusPlus) 1846 NormalContexts |= (1LL << CodeCompletionContext::CCC_EnumTag) 1847 | (1LL << CodeCompletionContext::CCC_UnionTag) 1848 | (1LL << CodeCompletionContext::CCC_ClassOrStructTag); 1849 } 1850 1851 void ProcessCodeCompleteResults(Sema &S, CodeCompletionContext Context, 1852 CodeCompletionResult *Results, 1853 unsigned NumResults) override; 1854 1855 void ProcessOverloadCandidates(Sema &S, unsigned CurrentArg, 1856 OverloadCandidate *Candidates, 1857 unsigned NumCandidates) override { 1858 Next.ProcessOverloadCandidates(S, CurrentArg, Candidates, NumCandidates); 1859 } 1860 1861 CodeCompletionAllocator &getAllocator() override { 1862 return Next.getAllocator(); 1863 } 1864 1865 CodeCompletionTUInfo &getCodeCompletionTUInfo() override { 1866 return Next.getCodeCompletionTUInfo(); 1867 } 1868 }; 1869 } // anonymous namespace 1870 1871 /// \brief Helper function that computes which global names are hidden by the 1872 /// local code-completion results. 1873 static void CalculateHiddenNames(const CodeCompletionContext &Context, 1874 CodeCompletionResult *Results, 1875 unsigned NumResults, 1876 ASTContext &Ctx, 1877 llvm::StringSet<llvm::BumpPtrAllocator> &HiddenNames){ 1878 bool OnlyTagNames = false; 1879 switch (Context.getKind()) { 1880 case CodeCompletionContext::CCC_Recovery: 1881 case CodeCompletionContext::CCC_TopLevel: 1882 case CodeCompletionContext::CCC_ObjCInterface: 1883 case CodeCompletionContext::CCC_ObjCImplementation: 1884 case CodeCompletionContext::CCC_ObjCIvarList: 1885 case CodeCompletionContext::CCC_ClassStructUnion: 1886 case CodeCompletionContext::CCC_Statement: 1887 case CodeCompletionContext::CCC_Expression: 1888 case CodeCompletionContext::CCC_ObjCMessageReceiver: 1889 case CodeCompletionContext::CCC_DotMemberAccess: 1890 case CodeCompletionContext::CCC_ArrowMemberAccess: 1891 case CodeCompletionContext::CCC_ObjCPropertyAccess: 1892 case CodeCompletionContext::CCC_Namespace: 1893 case CodeCompletionContext::CCC_Type: 1894 case CodeCompletionContext::CCC_Name: 1895 case CodeCompletionContext::CCC_PotentiallyQualifiedName: 1896 case CodeCompletionContext::CCC_ParenthesizedExpression: 1897 case CodeCompletionContext::CCC_ObjCInterfaceName: 1898 break; 1899 1900 case CodeCompletionContext::CCC_EnumTag: 1901 case CodeCompletionContext::CCC_UnionTag: 1902 case CodeCompletionContext::CCC_ClassOrStructTag: 1903 OnlyTagNames = true; 1904 break; 1905 1906 case CodeCompletionContext::CCC_ObjCProtocolName: 1907 case CodeCompletionContext::CCC_MacroName: 1908 case CodeCompletionContext::CCC_MacroNameUse: 1909 case CodeCompletionContext::CCC_PreprocessorExpression: 1910 case CodeCompletionContext::CCC_PreprocessorDirective: 1911 case CodeCompletionContext::CCC_NaturalLanguage: 1912 case CodeCompletionContext::CCC_SelectorName: 1913 case CodeCompletionContext::CCC_TypeQualifiers: 1914 case CodeCompletionContext::CCC_Other: 1915 case CodeCompletionContext::CCC_OtherWithMacros: 1916 case CodeCompletionContext::CCC_ObjCInstanceMessage: 1917 case CodeCompletionContext::CCC_ObjCClassMessage: 1918 case CodeCompletionContext::CCC_ObjCCategoryName: 1919 // We're looking for nothing, or we're looking for names that cannot 1920 // be hidden. 1921 return; 1922 } 1923 1924 typedef CodeCompletionResult Result; 1925 for (unsigned I = 0; I != NumResults; ++I) { 1926 if (Results[I].Kind != Result::RK_Declaration) 1927 continue; 1928 1929 unsigned IDNS 1930 = Results[I].Declaration->getUnderlyingDecl()->getIdentifierNamespace(); 1931 1932 bool Hiding = false; 1933 if (OnlyTagNames) 1934 Hiding = (IDNS & Decl::IDNS_Tag); 1935 else { 1936 unsigned HiddenIDNS = (Decl::IDNS_Type | Decl::IDNS_Member | 1937 Decl::IDNS_Namespace | Decl::IDNS_Ordinary | 1938 Decl::IDNS_NonMemberOperator); 1939 if (Ctx.getLangOpts().CPlusPlus) 1940 HiddenIDNS |= Decl::IDNS_Tag; 1941 Hiding = (IDNS & HiddenIDNS); 1942 } 1943 1944 if (!Hiding) 1945 continue; 1946 1947 DeclarationName Name = Results[I].Declaration->getDeclName(); 1948 if (IdentifierInfo *Identifier = Name.getAsIdentifierInfo()) 1949 HiddenNames.insert(Identifier->getName()); 1950 else 1951 HiddenNames.insert(Name.getAsString()); 1952 } 1953 } 1954 1955 void AugmentedCodeCompleteConsumer::ProcessCodeCompleteResults(Sema &S, 1956 CodeCompletionContext Context, 1957 CodeCompletionResult *Results, 1958 unsigned NumResults) { 1959 // Merge the results we were given with the results we cached. 1960 bool AddedResult = false; 1961 uint64_t InContexts = 1962 Context.getKind() == CodeCompletionContext::CCC_Recovery 1963 ? NormalContexts : (1LL << Context.getKind()); 1964 // Contains the set of names that are hidden by "local" completion results. 1965 llvm::StringSet<llvm::BumpPtrAllocator> HiddenNames; 1966 typedef CodeCompletionResult Result; 1967 SmallVector<Result, 8> AllResults; 1968 for (ASTUnit::cached_completion_iterator 1969 C = AST.cached_completion_begin(), 1970 CEnd = AST.cached_completion_end(); 1971 C != CEnd; ++C) { 1972 // If the context we are in matches any of the contexts we are 1973 // interested in, we'll add this result. 1974 if ((C->ShowInContexts & InContexts) == 0) 1975 continue; 1976 1977 // If we haven't added any results previously, do so now. 1978 if (!AddedResult) { 1979 CalculateHiddenNames(Context, Results, NumResults, S.Context, 1980 HiddenNames); 1981 AllResults.insert(AllResults.end(), Results, Results + NumResults); 1982 AddedResult = true; 1983 } 1984 1985 // Determine whether this global completion result is hidden by a local 1986 // completion result. If so, skip it. 1987 if (C->Kind != CXCursor_MacroDefinition && 1988 HiddenNames.count(C->Completion->getTypedText())) 1989 continue; 1990 1991 // Adjust priority based on similar type classes. 1992 unsigned Priority = C->Priority; 1993 CodeCompletionString *Completion = C->Completion; 1994 if (!Context.getPreferredType().isNull()) { 1995 if (C->Kind == CXCursor_MacroDefinition) { 1996 Priority = getMacroUsagePriority(C->Completion->getTypedText(), 1997 S.getLangOpts(), 1998 Context.getPreferredType()->isAnyPointerType()); 1999 } else if (C->Type) { 2000 CanQualType Expected 2001 = S.Context.getCanonicalType( 2002 Context.getPreferredType().getUnqualifiedType()); 2003 SimplifiedTypeClass ExpectedSTC = getSimplifiedTypeClass(Expected); 2004 if (ExpectedSTC == C->TypeClass) { 2005 // We know this type is similar; check for an exact match. 2006 llvm::StringMap<unsigned> &CachedCompletionTypes 2007 = AST.getCachedCompletionTypes(); 2008 llvm::StringMap<unsigned>::iterator Pos 2009 = CachedCompletionTypes.find(QualType(Expected).getAsString()); 2010 if (Pos != CachedCompletionTypes.end() && Pos->second == C->Type) 2011 Priority /= CCF_ExactTypeMatch; 2012 else 2013 Priority /= CCF_SimilarTypeMatch; 2014 } 2015 } 2016 } 2017 2018 // Adjust the completion string, if required. 2019 if (C->Kind == CXCursor_MacroDefinition && 2020 Context.getKind() == CodeCompletionContext::CCC_MacroNameUse) { 2021 // Create a new code-completion string that just contains the 2022 // macro name, without its arguments. 2023 CodeCompletionBuilder Builder(getAllocator(), getCodeCompletionTUInfo(), 2024 CCP_CodePattern, C->Availability); 2025 Builder.AddTypedTextChunk(C->Completion->getTypedText()); 2026 Priority = CCP_CodePattern; 2027 Completion = Builder.TakeString(); 2028 } 2029 2030 AllResults.push_back(Result(Completion, Priority, C->Kind, 2031 C->Availability)); 2032 } 2033 2034 // If we did not add any cached completion results, just forward the 2035 // results we were given to the next consumer. 2036 if (!AddedResult) { 2037 Next.ProcessCodeCompleteResults(S, Context, Results, NumResults); 2038 return; 2039 } 2040 2041 Next.ProcessCodeCompleteResults(S, Context, AllResults.data(), 2042 AllResults.size()); 2043 } 2044 2045 void ASTUnit::CodeComplete( 2046 StringRef File, unsigned Line, unsigned Column, 2047 ArrayRef<RemappedFile> RemappedFiles, bool IncludeMacros, 2048 bool IncludeCodePatterns, bool IncludeBriefComments, 2049 CodeCompleteConsumer &Consumer, 2050 std::shared_ptr<PCHContainerOperations> PCHContainerOps, 2051 DiagnosticsEngine &Diag, LangOptions &LangOpts, SourceManager &SourceMgr, 2052 FileManager &FileMgr, SmallVectorImpl<StoredDiagnostic> &StoredDiagnostics, 2053 SmallVectorImpl<const llvm::MemoryBuffer *> &OwnedBuffers) { 2054 if (!Invocation) 2055 return; 2056 2057 SimpleTimer CompletionTimer(WantTiming); 2058 CompletionTimer.setOutput("Code completion @ " + File + ":" + 2059 Twine(Line) + ":" + Twine(Column)); 2060 2061 auto CCInvocation = std::make_shared<CompilerInvocation>(*Invocation); 2062 2063 FrontendOptions &FrontendOpts = CCInvocation->getFrontendOpts(); 2064 CodeCompleteOptions &CodeCompleteOpts = FrontendOpts.CodeCompleteOpts; 2065 PreprocessorOptions &PreprocessorOpts = CCInvocation->getPreprocessorOpts(); 2066 2067 CodeCompleteOpts.IncludeMacros = IncludeMacros && 2068 CachedCompletionResults.empty(); 2069 CodeCompleteOpts.IncludeCodePatterns = IncludeCodePatterns; 2070 CodeCompleteOpts.IncludeGlobals = CachedCompletionResults.empty(); 2071 CodeCompleteOpts.IncludeBriefComments = IncludeBriefComments; 2072 2073 assert(IncludeBriefComments == this->IncludeBriefCommentsInCodeCompletion); 2074 2075 FrontendOpts.CodeCompletionAt.FileName = File; 2076 FrontendOpts.CodeCompletionAt.Line = Line; 2077 FrontendOpts.CodeCompletionAt.Column = Column; 2078 2079 // Set the language options appropriately. 2080 LangOpts = *CCInvocation->getLangOpts(); 2081 2082 // Spell-checking and warnings are wasteful during code-completion. 2083 LangOpts.SpellChecking = false; 2084 CCInvocation->getDiagnosticOpts().IgnoreWarnings = true; 2085 2086 std::unique_ptr<CompilerInstance> Clang( 2087 new CompilerInstance(PCHContainerOps)); 2088 2089 // Recover resources if we crash before exiting this method. 2090 llvm::CrashRecoveryContextCleanupRegistrar<CompilerInstance> 2091 CICleanup(Clang.get()); 2092 2093 auto &Inv = *CCInvocation; 2094 Clang->setInvocation(std::move(CCInvocation)); 2095 OriginalSourceFile = Clang->getFrontendOpts().Inputs[0].getFile(); 2096 2097 // Set up diagnostics, capturing any diagnostics produced. 2098 Clang->setDiagnostics(&Diag); 2099 CaptureDroppedDiagnostics Capture(true, 2100 Clang->getDiagnostics(), 2101 &StoredDiagnostics, nullptr); 2102 ProcessWarningOptions(Diag, Inv.getDiagnosticOpts()); 2103 2104 // Create the target instance. 2105 Clang->setTarget(TargetInfo::CreateTargetInfo( 2106 Clang->getDiagnostics(), Clang->getInvocation().TargetOpts)); 2107 if (!Clang->hasTarget()) { 2108 Clang->setInvocation(nullptr); 2109 return; 2110 } 2111 2112 // Inform the target of the language options. 2113 // 2114 // FIXME: We shouldn't need to do this, the target should be immutable once 2115 // created. This complexity should be lifted elsewhere. 2116 Clang->getTarget().adjust(Clang->getLangOpts()); 2117 2118 assert(Clang->getFrontendOpts().Inputs.size() == 1 && 2119 "Invocation must have exactly one source file!"); 2120 assert(Clang->getFrontendOpts().Inputs[0].getKind().getFormat() == 2121 InputKind::Source && 2122 "FIXME: AST inputs not yet supported here!"); 2123 assert(Clang->getFrontendOpts().Inputs[0].getKind().getLanguage() != 2124 InputKind::LLVM_IR && 2125 "IR inputs not support here!"); 2126 2127 // Use the source and file managers that we were given. 2128 Clang->setFileManager(&FileMgr); 2129 Clang->setSourceManager(&SourceMgr); 2130 2131 // Remap files. 2132 PreprocessorOpts.clearRemappedFiles(); 2133 PreprocessorOpts.RetainRemappedFileBuffers = true; 2134 for (const auto &RemappedFile : RemappedFiles) { 2135 PreprocessorOpts.addRemappedFile(RemappedFile.first, RemappedFile.second); 2136 OwnedBuffers.push_back(RemappedFile.second); 2137 } 2138 2139 // Use the code completion consumer we were given, but adding any cached 2140 // code-completion results. 2141 AugmentedCodeCompleteConsumer *AugmentedConsumer 2142 = new AugmentedCodeCompleteConsumer(*this, Consumer, CodeCompleteOpts); 2143 Clang->setCodeCompletionConsumer(AugmentedConsumer); 2144 2145 // If we have a precompiled preamble, try to use it. We only allow 2146 // the use of the precompiled preamble if we're if the completion 2147 // point is within the main file, after the end of the precompiled 2148 // preamble. 2149 std::unique_ptr<llvm::MemoryBuffer> OverrideMainBuffer; 2150 if (Preamble) { 2151 std::string CompleteFilePath(File); 2152 2153 auto VFS = FileMgr.getVirtualFileSystem(); 2154 auto CompleteFileStatus = VFS->status(CompleteFilePath); 2155 if (CompleteFileStatus) { 2156 llvm::sys::fs::UniqueID CompleteFileID = CompleteFileStatus->getUniqueID(); 2157 2158 std::string MainPath(OriginalSourceFile); 2159 auto MainStatus = VFS->status(MainPath); 2160 if (MainStatus) { 2161 llvm::sys::fs::UniqueID MainID = MainStatus->getUniqueID(); 2162 if (CompleteFileID == MainID && Line > 1) 2163 OverrideMainBuffer = getMainBufferWithPrecompiledPreamble( 2164 PCHContainerOps, Inv, VFS, false, Line - 1); 2165 } 2166 } 2167 } 2168 2169 // If the main file has been overridden due to the use of a preamble, 2170 // make that override happen and introduce the preamble. 2171 if (OverrideMainBuffer) { 2172 assert(Preamble && 2173 "No preamble was built, but OverrideMainBuffer is not null"); 2174 2175 auto VFS = FileMgr.getVirtualFileSystem(); 2176 Preamble->AddImplicitPreamble(Clang->getInvocation(), VFS, 2177 OverrideMainBuffer.get()); 2178 // FIXME: there is no way to update VFS if it was changed by 2179 // AddImplicitPreamble as FileMgr is accepted as a parameter by this method. 2180 // We use on-disk preambles instead and rely on FileMgr's VFS to ensure the 2181 // PCH files are always readable. 2182 OwnedBuffers.push_back(OverrideMainBuffer.release()); 2183 } else { 2184 PreprocessorOpts.PrecompiledPreambleBytes.first = 0; 2185 PreprocessorOpts.PrecompiledPreambleBytes.second = false; 2186 } 2187 2188 // Disable the preprocessing record if modules are not enabled. 2189 if (!Clang->getLangOpts().Modules) 2190 PreprocessorOpts.DetailedRecord = false; 2191 2192 std::unique_ptr<SyntaxOnlyAction> Act; 2193 Act.reset(new SyntaxOnlyAction); 2194 if (Act->BeginSourceFile(*Clang.get(), Clang->getFrontendOpts().Inputs[0])) { 2195 Act->Execute(); 2196 Act->EndSourceFile(); 2197 } 2198 } 2199 2200 bool ASTUnit::Save(StringRef File) { 2201 if (HadModuleLoaderFatalFailure) 2202 return true; 2203 2204 // Write to a temporary file and later rename it to the actual file, to avoid 2205 // possible race conditions. 2206 SmallString<128> TempPath; 2207 TempPath = File; 2208 TempPath += "-%%%%%%%%"; 2209 int fd; 2210 if (llvm::sys::fs::createUniqueFile(TempPath, fd, TempPath)) 2211 return true; 2212 2213 // FIXME: Can we somehow regenerate the stat cache here, or do we need to 2214 // unconditionally create a stat cache when we parse the file? 2215 llvm::raw_fd_ostream Out(fd, /*shouldClose=*/true); 2216 2217 serialize(Out); 2218 Out.close(); 2219 if (Out.has_error()) { 2220 Out.clear_error(); 2221 return true; 2222 } 2223 2224 if (llvm::sys::fs::rename(TempPath, File)) { 2225 llvm::sys::fs::remove(TempPath); 2226 return true; 2227 } 2228 2229 return false; 2230 } 2231 2232 static bool serializeUnit(ASTWriter &Writer, 2233 SmallVectorImpl<char> &Buffer, 2234 Sema &S, 2235 bool hasErrors, 2236 raw_ostream &OS) { 2237 Writer.WriteAST(S, std::string(), nullptr, "", hasErrors); 2238 2239 // Write the generated bitstream to "Out". 2240 if (!Buffer.empty()) 2241 OS.write(Buffer.data(), Buffer.size()); 2242 2243 return false; 2244 } 2245 2246 bool ASTUnit::serialize(raw_ostream &OS) { 2247 // For serialization we are lenient if the errors were only warn-as-error kind. 2248 bool hasErrors = getDiagnostics().hasUncompilableErrorOccurred(); 2249 2250 if (WriterData) 2251 return serializeUnit(WriterData->Writer, WriterData->Buffer, 2252 getSema(), hasErrors, OS); 2253 2254 SmallString<128> Buffer; 2255 llvm::BitstreamWriter Stream(Buffer); 2256 MemoryBufferCache PCMCache; 2257 ASTWriter Writer(Stream, Buffer, PCMCache, {}); 2258 return serializeUnit(Writer, Buffer, getSema(), hasErrors, OS); 2259 } 2260 2261 typedef ContinuousRangeMap<unsigned, int, 2> SLocRemap; 2262 2263 void ASTUnit::TranslateStoredDiagnostics( 2264 FileManager &FileMgr, 2265 SourceManager &SrcMgr, 2266 const SmallVectorImpl<StandaloneDiagnostic> &Diags, 2267 SmallVectorImpl<StoredDiagnostic> &Out) { 2268 // Map the standalone diagnostic into the new source manager. We also need to 2269 // remap all the locations to the new view. This includes the diag location, 2270 // any associated source ranges, and the source ranges of associated fix-its. 2271 // FIXME: There should be a cleaner way to do this. 2272 SmallVector<StoredDiagnostic, 4> Result; 2273 Result.reserve(Diags.size()); 2274 2275 for (const StandaloneDiagnostic &SD : Diags) { 2276 // Rebuild the StoredDiagnostic. 2277 if (SD.Filename.empty()) 2278 continue; 2279 const FileEntry *FE = FileMgr.getFile(SD.Filename); 2280 if (!FE) 2281 continue; 2282 SourceLocation FileLoc; 2283 auto ItFileID = PreambleSrcLocCache.find(SD.Filename); 2284 if (ItFileID == PreambleSrcLocCache.end()) { 2285 FileID FID = SrcMgr.translateFile(FE); 2286 FileLoc = SrcMgr.getLocForStartOfFile(FID); 2287 PreambleSrcLocCache[SD.Filename] = FileLoc; 2288 } else { 2289 FileLoc = ItFileID->getValue(); 2290 } 2291 2292 if (FileLoc.isInvalid()) 2293 continue; 2294 SourceLocation L = FileLoc.getLocWithOffset(SD.LocOffset); 2295 FullSourceLoc Loc(L, SrcMgr); 2296 2297 SmallVector<CharSourceRange, 4> Ranges; 2298 Ranges.reserve(SD.Ranges.size()); 2299 for (const auto &Range : SD.Ranges) { 2300 SourceLocation BL = FileLoc.getLocWithOffset(Range.first); 2301 SourceLocation EL = FileLoc.getLocWithOffset(Range.second); 2302 Ranges.push_back(CharSourceRange::getCharRange(BL, EL)); 2303 } 2304 2305 SmallVector<FixItHint, 2> FixIts; 2306 FixIts.reserve(SD.FixIts.size()); 2307 for (const StandaloneFixIt &FixIt : SD.FixIts) { 2308 FixIts.push_back(FixItHint()); 2309 FixItHint &FH = FixIts.back(); 2310 FH.CodeToInsert = FixIt.CodeToInsert; 2311 SourceLocation BL = FileLoc.getLocWithOffset(FixIt.RemoveRange.first); 2312 SourceLocation EL = FileLoc.getLocWithOffset(FixIt.RemoveRange.second); 2313 FH.RemoveRange = CharSourceRange::getCharRange(BL, EL); 2314 } 2315 2316 Result.push_back(StoredDiagnostic(SD.Level, SD.ID, 2317 SD.Message, Loc, Ranges, FixIts)); 2318 } 2319 Result.swap(Out); 2320 } 2321 2322 void ASTUnit::addFileLevelDecl(Decl *D) { 2323 assert(D); 2324 2325 // We only care about local declarations. 2326 if (D->isFromASTFile()) 2327 return; 2328 2329 SourceManager &SM = *SourceMgr; 2330 SourceLocation Loc = D->getLocation(); 2331 if (Loc.isInvalid() || !SM.isLocalSourceLocation(Loc)) 2332 return; 2333 2334 // We only keep track of the file-level declarations of each file. 2335 if (!D->getLexicalDeclContext()->isFileContext()) 2336 return; 2337 2338 SourceLocation FileLoc = SM.getFileLoc(Loc); 2339 assert(SM.isLocalSourceLocation(FileLoc)); 2340 FileID FID; 2341 unsigned Offset; 2342 std::tie(FID, Offset) = SM.getDecomposedLoc(FileLoc); 2343 if (FID.isInvalid()) 2344 return; 2345 2346 LocDeclsTy *&Decls = FileDecls[FID]; 2347 if (!Decls) 2348 Decls = new LocDeclsTy(); 2349 2350 std::pair<unsigned, Decl *> LocDecl(Offset, D); 2351 2352 if (Decls->empty() || Decls->back().first <= Offset) { 2353 Decls->push_back(LocDecl); 2354 return; 2355 } 2356 2357 LocDeclsTy::iterator I = std::upper_bound(Decls->begin(), Decls->end(), 2358 LocDecl, llvm::less_first()); 2359 2360 Decls->insert(I, LocDecl); 2361 } 2362 2363 void ASTUnit::findFileRegionDecls(FileID File, unsigned Offset, unsigned Length, 2364 SmallVectorImpl<Decl *> &Decls) { 2365 if (File.isInvalid()) 2366 return; 2367 2368 if (SourceMgr->isLoadedFileID(File)) { 2369 assert(Ctx->getExternalSource() && "No external source!"); 2370 return Ctx->getExternalSource()->FindFileRegionDecls(File, Offset, Length, 2371 Decls); 2372 } 2373 2374 FileDeclsTy::iterator I = FileDecls.find(File); 2375 if (I == FileDecls.end()) 2376 return; 2377 2378 LocDeclsTy &LocDecls = *I->second; 2379 if (LocDecls.empty()) 2380 return; 2381 2382 LocDeclsTy::iterator BeginIt = 2383 std::lower_bound(LocDecls.begin(), LocDecls.end(), 2384 std::make_pair(Offset, (Decl *)nullptr), 2385 llvm::less_first()); 2386 if (BeginIt != LocDecls.begin()) 2387 --BeginIt; 2388 2389 // If we are pointing at a top-level decl inside an objc container, we need 2390 // to backtrack until we find it otherwise we will fail to report that the 2391 // region overlaps with an objc container. 2392 while (BeginIt != LocDecls.begin() && 2393 BeginIt->second->isTopLevelDeclInObjCContainer()) 2394 --BeginIt; 2395 2396 LocDeclsTy::iterator EndIt = std::upper_bound( 2397 LocDecls.begin(), LocDecls.end(), 2398 std::make_pair(Offset + Length, (Decl *)nullptr), llvm::less_first()); 2399 if (EndIt != LocDecls.end()) 2400 ++EndIt; 2401 2402 for (LocDeclsTy::iterator DIt = BeginIt; DIt != EndIt; ++DIt) 2403 Decls.push_back(DIt->second); 2404 } 2405 2406 SourceLocation ASTUnit::getLocation(const FileEntry *File, 2407 unsigned Line, unsigned Col) const { 2408 const SourceManager &SM = getSourceManager(); 2409 SourceLocation Loc = SM.translateFileLineCol(File, Line, Col); 2410 return SM.getMacroArgExpandedLocation(Loc); 2411 } 2412 2413 SourceLocation ASTUnit::getLocation(const FileEntry *File, 2414 unsigned Offset) const { 2415 const SourceManager &SM = getSourceManager(); 2416 SourceLocation FileLoc = SM.translateFileLineCol(File, 1, 1); 2417 return SM.getMacroArgExpandedLocation(FileLoc.getLocWithOffset(Offset)); 2418 } 2419 2420 /// \brief If \arg Loc is a loaded location from the preamble, returns 2421 /// the corresponding local location of the main file, otherwise it returns 2422 /// \arg Loc. 2423 SourceLocation ASTUnit::mapLocationFromPreamble(SourceLocation Loc) const { 2424 FileID PreambleID; 2425 if (SourceMgr) 2426 PreambleID = SourceMgr->getPreambleFileID(); 2427 2428 if (Loc.isInvalid() || !Preamble || PreambleID.isInvalid()) 2429 return Loc; 2430 2431 unsigned Offs; 2432 if (SourceMgr->isInFileID(Loc, PreambleID, &Offs) && Offs < Preamble->getBounds().Size) { 2433 SourceLocation FileLoc 2434 = SourceMgr->getLocForStartOfFile(SourceMgr->getMainFileID()); 2435 return FileLoc.getLocWithOffset(Offs); 2436 } 2437 2438 return Loc; 2439 } 2440 2441 /// \brief If \arg Loc is a local location of the main file but inside the 2442 /// preamble chunk, returns the corresponding loaded location from the 2443 /// preamble, otherwise it returns \arg Loc. 2444 SourceLocation ASTUnit::mapLocationToPreamble(SourceLocation Loc) const { 2445 FileID PreambleID; 2446 if (SourceMgr) 2447 PreambleID = SourceMgr->getPreambleFileID(); 2448 2449 if (Loc.isInvalid() || !Preamble || PreambleID.isInvalid()) 2450 return Loc; 2451 2452 unsigned Offs; 2453 if (SourceMgr->isInFileID(Loc, SourceMgr->getMainFileID(), &Offs) && 2454 Offs < Preamble->getBounds().Size) { 2455 SourceLocation FileLoc = SourceMgr->getLocForStartOfFile(PreambleID); 2456 return FileLoc.getLocWithOffset(Offs); 2457 } 2458 2459 return Loc; 2460 } 2461 2462 bool ASTUnit::isInPreambleFileID(SourceLocation Loc) const { 2463 FileID FID; 2464 if (SourceMgr) 2465 FID = SourceMgr->getPreambleFileID(); 2466 2467 if (Loc.isInvalid() || FID.isInvalid()) 2468 return false; 2469 2470 return SourceMgr->isInFileID(Loc, FID); 2471 } 2472 2473 bool ASTUnit::isInMainFileID(SourceLocation Loc) const { 2474 FileID FID; 2475 if (SourceMgr) 2476 FID = SourceMgr->getMainFileID(); 2477 2478 if (Loc.isInvalid() || FID.isInvalid()) 2479 return false; 2480 2481 return SourceMgr->isInFileID(Loc, FID); 2482 } 2483 2484 SourceLocation ASTUnit::getEndOfPreambleFileID() const { 2485 FileID FID; 2486 if (SourceMgr) 2487 FID = SourceMgr->getPreambleFileID(); 2488 2489 if (FID.isInvalid()) 2490 return SourceLocation(); 2491 2492 return SourceMgr->getLocForEndOfFile(FID); 2493 } 2494 2495 SourceLocation ASTUnit::getStartOfMainFileID() const { 2496 FileID FID; 2497 if (SourceMgr) 2498 FID = SourceMgr->getMainFileID(); 2499 2500 if (FID.isInvalid()) 2501 return SourceLocation(); 2502 2503 return SourceMgr->getLocForStartOfFile(FID); 2504 } 2505 2506 llvm::iterator_range<PreprocessingRecord::iterator> 2507 ASTUnit::getLocalPreprocessingEntities() const { 2508 if (isMainFileAST()) { 2509 serialization::ModuleFile & 2510 Mod = Reader->getModuleManager().getPrimaryModule(); 2511 return Reader->getModulePreprocessedEntities(Mod); 2512 } 2513 2514 if (PreprocessingRecord *PPRec = PP->getPreprocessingRecord()) 2515 return llvm::make_range(PPRec->local_begin(), PPRec->local_end()); 2516 2517 return llvm::make_range(PreprocessingRecord::iterator(), 2518 PreprocessingRecord::iterator()); 2519 } 2520 2521 bool ASTUnit::visitLocalTopLevelDecls(void *context, DeclVisitorFn Fn) { 2522 if (isMainFileAST()) { 2523 serialization::ModuleFile & 2524 Mod = Reader->getModuleManager().getPrimaryModule(); 2525 for (const Decl *D : Reader->getModuleFileLevelDecls(Mod)) { 2526 if (!Fn(context, D)) 2527 return false; 2528 } 2529 2530 return true; 2531 } 2532 2533 for (ASTUnit::top_level_iterator TL = top_level_begin(), 2534 TLEnd = top_level_end(); 2535 TL != TLEnd; ++TL) { 2536 if (!Fn(context, *TL)) 2537 return false; 2538 } 2539 2540 return true; 2541 } 2542 2543 const FileEntry *ASTUnit::getPCHFile() { 2544 if (!Reader) 2545 return nullptr; 2546 2547 serialization::ModuleFile *Mod = nullptr; 2548 Reader->getModuleManager().visit([&Mod](serialization::ModuleFile &M) { 2549 switch (M.Kind) { 2550 case serialization::MK_ImplicitModule: 2551 case serialization::MK_ExplicitModule: 2552 case serialization::MK_PrebuiltModule: 2553 return true; // skip dependencies. 2554 case serialization::MK_PCH: 2555 Mod = &M; 2556 return true; // found it. 2557 case serialization::MK_Preamble: 2558 return false; // look in dependencies. 2559 case serialization::MK_MainFile: 2560 return false; // look in dependencies. 2561 } 2562 2563 return true; 2564 }); 2565 if (Mod) 2566 return Mod->File; 2567 2568 return nullptr; 2569 } 2570 2571 bool ASTUnit::isModuleFile() const { 2572 return isMainFileAST() && getLangOpts().isCompilingModule(); 2573 } 2574 2575 InputKind ASTUnit::getInputKind() const { 2576 auto &LangOpts = getLangOpts(); 2577 2578 InputKind::Language Lang; 2579 if (LangOpts.OpenCL) 2580 Lang = InputKind::OpenCL; 2581 else if (LangOpts.CUDA) 2582 Lang = InputKind::CUDA; 2583 else if (LangOpts.RenderScript) 2584 Lang = InputKind::RenderScript; 2585 else if (LangOpts.CPlusPlus) 2586 Lang = LangOpts.ObjC1 ? InputKind::ObjCXX : InputKind::CXX; 2587 else 2588 Lang = LangOpts.ObjC1 ? InputKind::ObjC : InputKind::C; 2589 2590 InputKind::Format Fmt = InputKind::Source; 2591 if (LangOpts.getCompilingModule() == LangOptions::CMK_ModuleMap) 2592 Fmt = InputKind::ModuleMap; 2593 2594 // We don't know if input was preprocessed. Assume not. 2595 bool PP = false; 2596 2597 return InputKind(Lang, Fmt, PP); 2598 } 2599 2600 #ifndef NDEBUG 2601 ASTUnit::ConcurrencyState::ConcurrencyState() { 2602 Mutex = new llvm::sys::MutexImpl(/*recursive=*/true); 2603 } 2604 2605 ASTUnit::ConcurrencyState::~ConcurrencyState() { 2606 delete static_cast<llvm::sys::MutexImpl *>(Mutex); 2607 } 2608 2609 void ASTUnit::ConcurrencyState::start() { 2610 bool acquired = static_cast<llvm::sys::MutexImpl *>(Mutex)->tryacquire(); 2611 assert(acquired && "Concurrent access to ASTUnit!"); 2612 } 2613 2614 void ASTUnit::ConcurrencyState::finish() { 2615 static_cast<llvm::sys::MutexImpl *>(Mutex)->release(); 2616 } 2617 2618 #else // NDEBUG 2619 2620 ASTUnit::ConcurrencyState::ConcurrencyState() { Mutex = nullptr; } 2621 ASTUnit::ConcurrencyState::~ConcurrencyState() {} 2622 void ASTUnit::ConcurrencyState::start() {} 2623 void ASTUnit::ConcurrencyState::finish() {} 2624 2625 #endif // NDEBUG 2626