1 //===- Indexing.cpp - Higher level API functions --------------------------===//
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
7 //===----------------------------------------------------------------------===//
9 #include "CIndexDiagnostic.h"
13 #include "CXIndexDataConsumer.h"
14 #include "CXSourceLocation.h"
16 #include "CXTranslationUnit.h"
17 #include "clang/AST/ASTConsumer.h"
18 #include "clang/Frontend/ASTUnit.h"
19 #include "clang/Frontend/CompilerInstance.h"
20 #include "clang/Frontend/CompilerInvocation.h"
21 #include "clang/Frontend/FrontendAction.h"
22 #include "clang/Frontend/MultiplexConsumer.h"
23 #include "clang/Frontend/Utils.h"
24 #include "clang/Index/IndexingAction.h"
25 #include "clang/Lex/HeaderSearch.h"
26 #include "clang/Lex/PPCallbacks.h"
27 #include "clang/Lex/PPConditionalDirectiveRecord.h"
28 #include "clang/Lex/Preprocessor.h"
29 #include "clang/Lex/PreprocessorOptions.h"
30 #include "llvm/Support/CrashRecoveryContext.h"
31 #include "llvm/Support/MemoryBuffer.h"
32 #include "llvm/Support/VirtualFileSystem.h"
37 using namespace clang
;
38 using namespace clang::index
;
40 using namespace cxindex
;
44 //===----------------------------------------------------------------------===//
46 //===----------------------------------------------------------------------===//
48 /// A "region" in source code identified by the file/offset of the
49 /// preprocessor conditional directive that it belongs to.
50 /// Multiple, non-consecutive ranges can be parts of the same region.
52 /// As an example of different regions separated by preprocessor directives:
66 /// There are 3 regions, with non-consecutive parts:
67 /// #1 is identified as the beginning of the file
68 /// #2 is identified as the location of "#ifdef BLAH"
69 /// #3 is identified as the location of "#ifdef CAKE"
72 llvm::sys::fs::UniqueID UniqueID
;
76 PPRegion() : UniqueID(0, 0), ModTime(), Offset() {}
77 PPRegion(llvm::sys::fs::UniqueID UniqueID
, unsigned offset
, time_t modTime
)
78 : UniqueID(UniqueID
), ModTime(modTime
), Offset(offset
) {}
80 const llvm::sys::fs::UniqueID
&getUniqueID() const { return UniqueID
; }
81 unsigned getOffset() const { return Offset
; }
82 time_t getModTime() const { return ModTime
; }
84 bool isInvalid() const { return *this == PPRegion(); }
86 friend bool operator==(const PPRegion
&lhs
, const PPRegion
&rhs
) {
87 return lhs
.UniqueID
== rhs
.UniqueID
&& lhs
.Offset
== rhs
.Offset
&&
88 lhs
.ModTime
== rhs
.ModTime
;
92 } // end anonymous namespace
97 struct DenseMapInfo
<PPRegion
> {
98 static inline PPRegion
getEmptyKey() {
99 return PPRegion(llvm::sys::fs::UniqueID(0, 0), unsigned(-1), 0);
101 static inline PPRegion
getTombstoneKey() {
102 return PPRegion(llvm::sys::fs::UniqueID(0, 0), unsigned(-2), 0);
105 static unsigned getHashValue(const PPRegion
&S
) {
106 llvm::FoldingSetNodeID ID
;
107 const llvm::sys::fs::UniqueID
&UniqueID
= S
.getUniqueID();
108 ID
.AddInteger(UniqueID
.getFile());
109 ID
.AddInteger(UniqueID
.getDevice());
110 ID
.AddInteger(S
.getOffset());
111 ID
.AddInteger(S
.getModTime());
112 return ID
.ComputeHash();
115 static bool isEqual(const PPRegion
&LHS
, const PPRegion
&RHS
) {
123 /// Keeps track of function bodies that have already been parsed.
126 class ThreadSafeParsedRegions
{
127 mutable std::mutex Mutex
;
128 llvm::DenseSet
<PPRegion
> ParsedRegions
;
131 ~ThreadSafeParsedRegions() = default;
133 llvm::DenseSet
<PPRegion
> getParsedRegions() const {
134 std::lock_guard
<std::mutex
> MG(Mutex
);
135 return ParsedRegions
;
138 void addParsedRegions(ArrayRef
<PPRegion
> Regions
) {
139 std::lock_guard
<std::mutex
> MG(Mutex
);
140 ParsedRegions
.insert(Regions
.begin(), Regions
.end());
144 /// Provides information whether source locations have already been parsed in
145 /// another FrontendAction.
147 /// Is NOT thread-safe.
148 class ParsedSrcLocationsTracker
{
149 ThreadSafeParsedRegions
&ParsedRegionsStorage
;
150 PPConditionalDirectiveRecord
&PPRec
;
153 /// Snapshot of the shared state at the point when this instance was
155 llvm::DenseSet
<PPRegion
> ParsedRegionsSnapshot
;
156 /// Regions that were queried during this instance lifetime.
157 SmallVector
<PPRegion
, 32> NewParsedRegions
;
159 /// Caching the last queried region.
164 /// Creates snapshot of \p ParsedRegionsStorage.
165 ParsedSrcLocationsTracker(ThreadSafeParsedRegions
&ParsedRegionsStorage
,
166 PPConditionalDirectiveRecord
&ppRec
,
168 : ParsedRegionsStorage(ParsedRegionsStorage
), PPRec(ppRec
), PP(pp
),
169 ParsedRegionsSnapshot(ParsedRegionsStorage
.getParsedRegions()) {}
171 /// \returns true iff \p Loc has already been parsed.
173 /// Can provide false-negative in case the location was parsed after this
174 /// instance had been constructed.
175 bool hasAlredyBeenParsed(SourceLocation Loc
, FileID FID
, FileEntryRef FE
) {
176 PPRegion region
= getRegion(Loc
, FID
, FE
);
177 if (region
.isInvalid())
180 // Check common case, consecutive functions in the same region.
181 if (LastRegion
== region
)
185 // Source locations can't be revisited during single TU parsing.
186 // That means if we hit the same region again, it's a different location in
187 // the same region and so the "is parsed" value from the snapshot is still
189 LastIsParsed
= ParsedRegionsSnapshot
.count(region
);
191 NewParsedRegions
.emplace_back(std::move(region
));
195 /// Updates ParsedRegionsStorage with newly parsed regions.
196 void syncWithStorage() {
197 ParsedRegionsStorage
.addParsedRegions(NewParsedRegions
);
201 PPRegion
getRegion(SourceLocation Loc
, FileID FID
, FileEntryRef FE
) {
202 auto Bail
= [this, FE
]() {
203 if (isParsedOnceInclude(FE
)) {
204 const llvm::sys::fs::UniqueID
&ID
= FE
.getUniqueID();
205 return PPRegion(ID
, 0, FE
.getModificationTime());
210 SourceLocation RegionLoc
= PPRec
.findConditionalDirectiveRegionLoc(Loc
);
211 assert(RegionLoc
.isFileID());
212 if (RegionLoc
.isInvalid())
216 unsigned RegionOffset
;
217 std::tie(RegionFID
, RegionOffset
) =
218 PPRec
.getSourceManager().getDecomposedLoc(RegionLoc
);
220 if (RegionFID
!= FID
)
223 const llvm::sys::fs::UniqueID
&ID
= FE
.getUniqueID();
224 return PPRegion(ID
, RegionOffset
, FE
.getModificationTime());
227 bool isParsedOnceInclude(FileEntryRef FE
) {
228 return PP
.getHeaderSearchInfo().isFileMultipleIncludeGuarded(FE
) ||
229 PP
.getHeaderSearchInfo().hasFileBeenImported(FE
);
233 //===----------------------------------------------------------------------===//
235 //===----------------------------------------------------------------------===//
237 class IndexPPCallbacks
: public PPCallbacks
{
239 CXIndexDataConsumer
&DataConsumer
;
240 bool IsMainFileEntered
;
243 IndexPPCallbacks(Preprocessor
&PP
, CXIndexDataConsumer
&dataConsumer
)
244 : PP(PP
), DataConsumer(dataConsumer
), IsMainFileEntered(false) { }
246 void FileChanged(SourceLocation Loc
, FileChangeReason Reason
,
247 SrcMgr::CharacteristicKind FileType
, FileID PrevFID
) override
{
248 if (IsMainFileEntered
)
251 SourceManager
&SM
= PP
.getSourceManager();
252 SourceLocation MainFileLoc
= SM
.getLocForStartOfFile(SM
.getMainFileID());
254 if (Loc
== MainFileLoc
&& Reason
== PPCallbacks::EnterFile
) {
255 IsMainFileEntered
= true;
256 DataConsumer
.enteredMainFile(
257 *SM
.getFileEntryRefForID(SM
.getMainFileID()));
261 void InclusionDirective(SourceLocation HashLoc
, const Token
&IncludeTok
,
262 StringRef FileName
, bool IsAngled
,
263 CharSourceRange FilenameRange
,
264 OptionalFileEntryRef File
, StringRef SearchPath
,
265 StringRef RelativePath
, const Module
*SuggestedModule
,
267 SrcMgr::CharacteristicKind FileType
) override
{
268 bool isImport
= (IncludeTok
.is(tok::identifier
) &&
269 IncludeTok
.getIdentifierInfo()->getPPKeywordID() == tok::pp_import
);
270 DataConsumer
.ppIncludedFile(HashLoc
, FileName
, File
, isImport
, IsAngled
,
274 /// MacroDefined - This hook is called whenever a macro definition is seen.
275 void MacroDefined(const Token
&Id
, const MacroDirective
*MD
) override
{}
277 /// MacroUndefined - This hook is called whenever a macro #undef is seen.
278 /// MI is released immediately following this callback.
279 void MacroUndefined(const Token
&MacroNameTok
,
280 const MacroDefinition
&MD
,
281 const MacroDirective
*UD
) override
{}
283 /// MacroExpands - This is called by when a macro invocation is found.
284 void MacroExpands(const Token
&MacroNameTok
, const MacroDefinition
&MD
,
285 SourceRange Range
, const MacroArgs
*Args
) override
{}
287 /// SourceRangeSkipped - This hook is called when a source range is skipped.
288 /// \param Range The SourceRange that was skipped. The range begins at the
289 /// #if/#else directive and ends after the #endif/#else directive.
290 void SourceRangeSkipped(SourceRange Range
, SourceLocation EndifLoc
) override
{
294 //===----------------------------------------------------------------------===//
296 //===----------------------------------------------------------------------===//
298 class IndexingConsumer
: public ASTConsumer
{
299 CXIndexDataConsumer
&DataConsumer
;
302 IndexingConsumer(CXIndexDataConsumer
&dataConsumer
,
303 ParsedSrcLocationsTracker
*parsedLocsTracker
)
304 : DataConsumer(dataConsumer
) {}
306 void Initialize(ASTContext
&Context
) override
{
307 DataConsumer
.setASTContext(Context
);
308 DataConsumer
.startedTranslationUnit();
311 bool HandleTopLevelDecl(DeclGroupRef DG
) override
{
312 return !DataConsumer
.shouldAbort();
316 //===----------------------------------------------------------------------===//
317 // CaptureDiagnosticConsumer
318 //===----------------------------------------------------------------------===//
320 class CaptureDiagnosticConsumer
: public DiagnosticConsumer
{
321 SmallVector
<StoredDiagnostic
, 4> Errors
;
324 void HandleDiagnostic(DiagnosticsEngine::Level level
,
325 const Diagnostic
&Info
) override
{
326 if (level
>= DiagnosticsEngine::Error
)
327 Errors
.push_back(StoredDiagnostic(level
, Info
));
331 //===----------------------------------------------------------------------===//
332 // IndexingFrontendAction
333 //===----------------------------------------------------------------------===//
335 class IndexingFrontendAction
: public ASTFrontendAction
{
336 std::shared_ptr
<CXIndexDataConsumer
> DataConsumer
;
337 IndexingOptions Opts
;
339 ThreadSafeParsedRegions
*SKData
;
340 std::unique_ptr
<ParsedSrcLocationsTracker
> ParsedLocsTracker
;
343 IndexingFrontendAction(std::shared_ptr
<CXIndexDataConsumer
> dataConsumer
,
344 const IndexingOptions
&Opts
,
345 ThreadSafeParsedRegions
*skData
)
346 : DataConsumer(std::move(dataConsumer
)), Opts(Opts
), SKData(skData
) {}
348 std::unique_ptr
<ASTConsumer
> CreateASTConsumer(CompilerInstance
&CI
,
349 StringRef InFile
) override
{
350 PreprocessorOptions
&PPOpts
= CI
.getPreprocessorOpts();
352 if (!PPOpts
.ImplicitPCHInclude
.empty()) {
354 CI
.getFileManager().getOptionalFileRef(PPOpts
.ImplicitPCHInclude
))
355 DataConsumer
->importedPCH(*File
);
358 DataConsumer
->setASTContext(CI
.getASTContext());
359 Preprocessor
&PP
= CI
.getPreprocessor();
360 PP
.addPPCallbacks(std::make_unique
<IndexPPCallbacks
>(PP
, *DataConsumer
));
361 DataConsumer
->setPreprocessor(CI
.getPreprocessorPtr());
364 auto *PPRec
= new PPConditionalDirectiveRecord(PP
.getSourceManager());
365 PP
.addPPCallbacks(std::unique_ptr
<PPCallbacks
>(PPRec
));
367 std::make_unique
<ParsedSrcLocationsTracker
>(*SKData
, *PPRec
, PP
);
370 std::vector
<std::unique_ptr
<ASTConsumer
>> Consumers
;
371 Consumers
.push_back(std::make_unique
<IndexingConsumer
>(
372 *DataConsumer
, ParsedLocsTracker
.get()));
373 Consumers
.push_back(createIndexingASTConsumer(
374 DataConsumer
, Opts
, CI
.getPreprocessorPtr(),
375 [this](const Decl
*D
) { return this->shouldSkipFunctionBody(D
); }));
376 return std::make_unique
<MultiplexConsumer
>(std::move(Consumers
));
379 bool shouldSkipFunctionBody(const Decl
*D
) {
380 if (!ParsedLocsTracker
) {
381 // Always skip bodies.
385 const SourceManager
&SM
= D
->getASTContext().getSourceManager();
386 SourceLocation Loc
= D
->getLocation();
389 if (SM
.isInSystemHeader(Loc
))
390 return true; // always skip bodies from system headers.
394 std::tie(FID
, Offset
) = SM
.getDecomposedLoc(Loc
);
395 // Don't skip bodies from main files; this may be revisited.
396 if (SM
.getMainFileID() == FID
)
398 OptionalFileEntryRef FE
= SM
.getFileEntryRefForID(FID
);
402 return ParsedLocsTracker
->hasAlredyBeenParsed(Loc
, FID
, *FE
);
405 TranslationUnitKind
getTranslationUnitKind() override
{
406 if (DataConsumer
->shouldIndexImplicitTemplateInsts())
411 bool hasCodeCompletionSupport() const override
{ return false; }
413 void EndSourceFileAction() override
{
414 if (ParsedLocsTracker
)
415 ParsedLocsTracker
->syncWithStorage();
419 //===----------------------------------------------------------------------===//
420 // clang_indexSourceFileUnit Implementation
421 //===----------------------------------------------------------------------===//
423 static IndexingOptions
getIndexingOptionsFromCXOptions(unsigned index_options
) {
424 IndexingOptions IdxOpts
;
425 if (index_options
& CXIndexOpt_IndexFunctionLocalSymbols
)
426 IdxOpts
.IndexFunctionLocals
= true;
427 if (index_options
& CXIndexOpt_IndexImplicitTemplateInstantiations
)
428 IdxOpts
.IndexImplicitInstantiation
= true;
432 struct IndexSessionData
{
434 std::unique_ptr
<ThreadSafeParsedRegions
> SkipBodyData
=
435 std::make_unique
<ThreadSafeParsedRegions
>();
437 explicit IndexSessionData(CXIndex cIdx
) : CIdx(cIdx
) {}
440 } // anonymous namespace
442 static CXErrorCode
clang_indexSourceFile_Impl(
443 CXIndexAction cxIdxAction
, CXClientData client_data
,
444 IndexerCallbacks
*client_index_callbacks
, unsigned index_callbacks_size
,
445 unsigned index_options
, const char *source_filename
,
446 const char *const *command_line_args
, int num_command_line_args
,
447 ArrayRef
<CXUnsavedFile
> unsaved_files
, CXTranslationUnit
*out_TU
,
448 unsigned TU_options
) {
451 bool requestedToGetTU
= (out_TU
!= nullptr);
454 return CXError_InvalidArguments
;
456 if (!client_index_callbacks
|| index_callbacks_size
== 0) {
457 return CXError_InvalidArguments
;
461 memset(&CB
, 0, sizeof(CB
));
462 unsigned ClientCBSize
= index_callbacks_size
< sizeof(CB
)
463 ? index_callbacks_size
: sizeof(CB
);
464 memcpy(&CB
, client_index_callbacks
, ClientCBSize
);
466 IndexSessionData
*IdxSession
= static_cast<IndexSessionData
*>(cxIdxAction
);
467 CIndexer
*CXXIdx
= static_cast<CIndexer
*>(IdxSession
->CIdx
);
469 if (CXXIdx
->isOptEnabled(CXGlobalOpt_ThreadBackgroundPriorityForIndexing
))
470 setThreadBackgroundPriority();
472 CaptureDiagsKind CaptureDiagnostics
= CaptureDiagsKind::All
;
473 if (TU_options
& CXTranslationUnit_IgnoreNonErrorsFromIncludedFiles
)
474 CaptureDiagnostics
= CaptureDiagsKind::AllWithoutNonErrorsFromIncludes
;
475 if (Logger::isLoggingEnabled())
476 CaptureDiagnostics
= CaptureDiagsKind::None
;
478 CaptureDiagnosticConsumer
*CaptureDiag
= nullptr;
479 if (CaptureDiagnostics
!= CaptureDiagsKind::None
)
480 CaptureDiag
= new CaptureDiagnosticConsumer();
482 // Configure the diagnostics.
483 IntrusiveRefCntPtr
<DiagnosticsEngine
> Diags(
484 CompilerInstance::createDiagnostics(*llvm::vfs::getRealFileSystem(),
485 new DiagnosticOptions
, CaptureDiag
,
486 /*ShouldOwnClient=*/true));
488 // Recover resources if we crash before exiting this function.
489 llvm::CrashRecoveryContextCleanupRegistrar
<DiagnosticsEngine
,
490 llvm::CrashRecoveryContextReleaseRefCleanup
<DiagnosticsEngine
> >
491 DiagCleanup(Diags
.get());
493 std::unique_ptr
<std::vector
<const char *>> Args(
494 new std::vector
<const char *>());
496 // Recover resources if we crash before exiting this method.
497 llvm::CrashRecoveryContextCleanupRegistrar
<std::vector
<const char*> >
498 ArgsCleanup(Args
.get());
500 Args
->insert(Args
->end(), command_line_args
,
501 command_line_args
+ num_command_line_args
);
503 // The 'source_filename' argument is optional. If the caller does not
504 // specify it then it is assumed that the source file is specified
505 // in the actual argument list.
506 // Put the source file after command_line_args otherwise if '-x' flag is
507 // present it will be unused.
509 Args
->push_back(source_filename
);
511 CreateInvocationOptions CIOpts
;
512 CIOpts
.Diags
= Diags
;
513 CIOpts
.ProbePrecompiled
= true; // FIXME: historical default. Needed?
514 std::shared_ptr
<CompilerInvocation
> CInvok
=
515 createInvocation(*Args
, std::move(CIOpts
));
518 return CXError_Failure
;
520 // Recover resources if we crash before exiting this function.
521 llvm::CrashRecoveryContextCleanupRegistrar
<
522 std::shared_ptr
<CompilerInvocation
>,
523 llvm::CrashRecoveryContextDestructorCleanup
<
524 std::shared_ptr
<CompilerInvocation
>>>
525 CInvokCleanup(&CInvok
);
527 if (CInvok
->getFrontendOpts().Inputs
.empty())
528 return CXError_Failure
;
530 typedef SmallVector
<std::unique_ptr
<llvm::MemoryBuffer
>, 8> MemBufferOwner
;
531 std::unique_ptr
<MemBufferOwner
> BufOwner(new MemBufferOwner
);
533 // Recover resources if we crash before exiting this method.
534 llvm::CrashRecoveryContextCleanupRegistrar
<MemBufferOwner
> BufOwnerCleanup(
537 for (auto &UF
: unsaved_files
) {
538 std::unique_ptr
<llvm::MemoryBuffer
> MB
=
539 llvm::MemoryBuffer::getMemBufferCopy(getContents(UF
), UF
.Filename
);
540 CInvok
->getPreprocessorOpts().addRemappedFile(UF
.Filename
, MB
.get());
541 BufOwner
->push_back(std::move(MB
));
544 // Since libclang is primarily used by batch tools dealing with
545 // (often very broken) source code, where spell-checking can have a
546 // significant negative impact on performance (particularly when
547 // precompiled headers are involved), we disable it.
548 CInvok
->getLangOpts().SpellChecking
= false;
550 if (index_options
& CXIndexOpt_SuppressWarnings
)
551 CInvok
->getDiagnosticOpts().IgnoreWarnings
= true;
553 // Make sure to use the raw module format.
554 CInvok
->getHeaderSearchOpts().ModuleFormat
= std::string(
555 CXXIdx
->getPCHContainerOperations()->getRawReader().getFormats().front());
557 auto Unit
= ASTUnit::create(CInvok
, Diags
, CaptureDiagnostics
,
558 /*UserFilesAreVolatile=*/true);
560 return CXError_InvalidArguments
;
562 auto *UPtr
= Unit
.get();
563 std::unique_ptr
<CXTUOwner
> CXTU(
564 new CXTUOwner(MakeCXTranslationUnit(CXXIdx
, std::move(Unit
))));
566 // Recover resources if we crash before exiting this method.
567 llvm::CrashRecoveryContextCleanupRegistrar
<CXTUOwner
>
568 CXTUCleanup(CXTU
.get());
570 // Enable the skip-parsed-bodies optimization only for C++; this may be
572 bool SkipBodies
= (index_options
& CXIndexOpt_SkipParsedBodiesInSession
) &&
573 CInvok
->getLangOpts().CPlusPlus
;
575 CInvok
->getFrontendOpts().SkipFunctionBodies
= true;
578 std::make_shared
<CXIndexDataConsumer
>(client_data
, CB
, index_options
,
580 auto IndexAction
= std::make_unique
<IndexingFrontendAction
>(
581 DataConsumer
, getIndexingOptionsFromCXOptions(index_options
),
582 SkipBodies
? IdxSession
->SkipBodyData
.get() : nullptr);
584 // Recover resources if we crash before exiting this method.
585 llvm::CrashRecoveryContextCleanupRegistrar
<FrontendAction
>
586 IndexActionCleanup(IndexAction
.get());
588 bool Persistent
= requestedToGetTU
;
589 bool OnlyLocalDecls
= false;
590 bool PrecompilePreamble
= false;
591 bool CreatePreambleOnFirstParse
= false;
592 bool CacheCodeCompletionResults
= false;
593 PreprocessorOptions
&PPOpts
= CInvok
->getPreprocessorOpts();
594 PPOpts
.AllowPCHWithCompilerErrors
= true;
596 if (requestedToGetTU
) {
597 OnlyLocalDecls
= CXXIdx
->getOnlyLocalDecls();
598 PrecompilePreamble
= TU_options
& CXTranslationUnit_PrecompiledPreamble
;
599 CreatePreambleOnFirstParse
=
600 TU_options
& CXTranslationUnit_CreatePreambleOnFirstParse
;
601 // FIXME: Add a flag for modules.
602 CacheCodeCompletionResults
603 = TU_options
& CXTranslationUnit_CacheCompletionResults
;
606 if (TU_options
& CXTranslationUnit_DetailedPreprocessingRecord
) {
607 PPOpts
.DetailedRecord
= true;
610 if (!requestedToGetTU
&& !CInvok
->getLangOpts().Modules
)
611 PPOpts
.DetailedRecord
= false;
613 // Unless the user specified that they want the preamble on the first parse
614 // set it up to be created on the first reparse. This makes the first parse
615 // faster, trading for a slower (first) reparse.
616 unsigned PrecompilePreambleAfterNParses
=
617 !PrecompilePreamble
? 0 : 2 - CreatePreambleOnFirstParse
;
618 DiagnosticErrorTrap
DiagTrap(*Diags
);
619 bool Success
= ASTUnit::LoadFromCompilerInvocationAction(
620 std::move(CInvok
), CXXIdx
->getPCHContainerOperations(), Diags
,
621 IndexAction
.get(), UPtr
, Persistent
, CXXIdx
->getClangResourcesPath(),
622 OnlyLocalDecls
, CaptureDiagnostics
, PrecompilePreambleAfterNParses
,
623 CacheCodeCompletionResults
, /*UserFilesAreVolatile=*/true);
624 if (DiagTrap
.hasErrorOccurred() && CXXIdx
->getDisplayDiagnostics())
625 printDiagsToStderr(UPtr
);
627 if (isASTReadError(UPtr
))
628 return CXError_ASTReadError
;
631 return CXError_Failure
;
634 *out_TU
= CXTU
->takeTU();
636 return CXError_Success
;
639 //===----------------------------------------------------------------------===//
640 // clang_indexTranslationUnit Implementation
641 //===----------------------------------------------------------------------===//
643 static void indexPreprocessingRecord(ASTUnit
&Unit
, CXIndexDataConsumer
&IdxCtx
) {
644 Preprocessor
&PP
= Unit
.getPreprocessor();
645 if (!PP
.getPreprocessingRecord())
648 // FIXME: Only deserialize inclusion directives.
650 bool isModuleFile
= Unit
.isModuleFile();
651 for (PreprocessedEntity
*PPE
: Unit
.getLocalPreprocessingEntities()) {
652 if (InclusionDirective
*ID
= dyn_cast
<InclusionDirective
>(PPE
)) {
653 SourceLocation Loc
= ID
->getSourceRange().getBegin();
654 // Modules have synthetic main files as input, give an invalid location
655 // if the location points to such a file.
656 if (isModuleFile
&& Unit
.isInMainFileID(Loc
))
657 Loc
= SourceLocation();
658 IdxCtx
.ppIncludedFile(Loc
, ID
->getFileName(),
660 ID
->getKind() == InclusionDirective::Import
,
661 !ID
->wasInQuotes(), ID
->importedModule());
666 static CXErrorCode
clang_indexTranslationUnit_Impl(
667 CXIndexAction idxAction
, CXClientData client_data
,
668 IndexerCallbacks
*client_index_callbacks
, unsigned index_callbacks_size
,
669 unsigned index_options
, CXTranslationUnit TU
) {
671 if (isNotUsableTU(TU
)) {
673 return CXError_InvalidArguments
;
675 if (!client_index_callbacks
|| index_callbacks_size
== 0) {
676 return CXError_InvalidArguments
;
679 CIndexer
*CXXIdx
= TU
->CIdx
;
680 if (CXXIdx
->isOptEnabled(CXGlobalOpt_ThreadBackgroundPriorityForIndexing
))
681 setThreadBackgroundPriority();
684 memset(&CB
, 0, sizeof(CB
));
685 unsigned ClientCBSize
= index_callbacks_size
< sizeof(CB
)
686 ? index_callbacks_size
: sizeof(CB
);
687 memcpy(&CB
, client_index_callbacks
, ClientCBSize
);
689 CXIndexDataConsumer
DataConsumer(client_data
, CB
, index_options
, TU
);
691 ASTUnit
*Unit
= cxtu::getASTUnit(TU
);
693 return CXError_Failure
;
695 ASTUnit::ConcurrencyCheck
Check(*Unit
);
697 if (OptionalFileEntryRef PCHFile
= Unit
->getPCHFile())
698 DataConsumer
.importedPCH(*PCHFile
);
700 FileManager
&FileMgr
= Unit
->getFileManager();
702 if (Unit
->getOriginalSourceFileName().empty())
703 DataConsumer
.enteredMainFile(std::nullopt
);
704 else if (auto MainFile
=
705 FileMgr
.getFileRef(Unit
->getOriginalSourceFileName()))
706 DataConsumer
.enteredMainFile(*MainFile
);
708 DataConsumer
.enteredMainFile(std::nullopt
);
710 DataConsumer
.setASTContext(Unit
->getASTContext());
711 DataConsumer
.startedTranslationUnit();
713 indexPreprocessingRecord(*Unit
, DataConsumer
);
714 indexASTUnit(*Unit
, DataConsumer
, getIndexingOptionsFromCXOptions(index_options
));
715 DataConsumer
.indexDiagnostics();
717 return CXError_Success
;
720 //===----------------------------------------------------------------------===//
721 // libclang public APIs.
722 //===----------------------------------------------------------------------===//
724 int clang_index_isEntityObjCContainerKind(CXIdxEntityKind K
) {
725 return CXIdxEntity_ObjCClass
<= K
&& K
<= CXIdxEntity_ObjCCategory
;
728 const CXIdxObjCContainerDeclInfo
*
729 clang_index_getObjCContainerDeclInfo(const CXIdxDeclInfo
*DInfo
) {
733 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
734 if (const ObjCContainerDeclInfo
*
735 ContInfo
= dyn_cast
<ObjCContainerDeclInfo
>(DI
))
736 return &ContInfo
->ObjCContDeclInfo
;
741 const CXIdxObjCInterfaceDeclInfo
*
742 clang_index_getObjCInterfaceDeclInfo(const CXIdxDeclInfo
*DInfo
) {
746 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
747 if (const ObjCInterfaceDeclInfo
*
748 InterInfo
= dyn_cast
<ObjCInterfaceDeclInfo
>(DI
))
749 return &InterInfo
->ObjCInterDeclInfo
;
754 const CXIdxObjCCategoryDeclInfo
*
755 clang_index_getObjCCategoryDeclInfo(const CXIdxDeclInfo
*DInfo
){
759 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
760 if (const ObjCCategoryDeclInfo
*
761 CatInfo
= dyn_cast
<ObjCCategoryDeclInfo
>(DI
))
762 return &CatInfo
->ObjCCatDeclInfo
;
767 const CXIdxObjCProtocolRefListInfo
*
768 clang_index_getObjCProtocolRefListInfo(const CXIdxDeclInfo
*DInfo
) {
772 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
774 if (const ObjCInterfaceDeclInfo
*
775 InterInfo
= dyn_cast
<ObjCInterfaceDeclInfo
>(DI
))
776 return InterInfo
->ObjCInterDeclInfo
.protocols
;
778 if (const ObjCProtocolDeclInfo
*
779 ProtInfo
= dyn_cast
<ObjCProtocolDeclInfo
>(DI
))
780 return &ProtInfo
->ObjCProtoRefListInfo
;
782 if (const ObjCCategoryDeclInfo
*CatInfo
= dyn_cast
<ObjCCategoryDeclInfo
>(DI
))
783 return CatInfo
->ObjCCatDeclInfo
.protocols
;
788 const CXIdxObjCPropertyDeclInfo
*
789 clang_index_getObjCPropertyDeclInfo(const CXIdxDeclInfo
*DInfo
) {
793 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
794 if (const ObjCPropertyDeclInfo
*PropInfo
= dyn_cast
<ObjCPropertyDeclInfo
>(DI
))
795 return &PropInfo
->ObjCPropDeclInfo
;
800 const CXIdxIBOutletCollectionAttrInfo
*
801 clang_index_getIBOutletCollectionAttrInfo(const CXIdxAttrInfo
*AInfo
) {
805 const AttrInfo
*DI
= static_cast<const AttrInfo
*>(AInfo
);
806 if (const IBOutletCollectionInfo
*
807 IBInfo
= dyn_cast
<IBOutletCollectionInfo
>(DI
))
808 return &IBInfo
->IBCollInfo
;
813 const CXIdxCXXClassDeclInfo
*
814 clang_index_getCXXClassDeclInfo(const CXIdxDeclInfo
*DInfo
) {
818 const DeclInfo
*DI
= static_cast<const DeclInfo
*>(DInfo
);
819 if (const CXXClassDeclInfo
*ClassInfo
= dyn_cast
<CXXClassDeclInfo
>(DI
))
820 return &ClassInfo
->CXXClassInfo
;
826 clang_index_getClientContainer(const CXIdxContainerInfo
*info
) {
829 const ContainerInfo
*Container
= static_cast<const ContainerInfo
*>(info
);
830 return Container
->IndexCtx
->getClientContainerForDC(Container
->DC
);
833 void clang_index_setClientContainer(const CXIdxContainerInfo
*info
,
834 CXIdxClientContainer client
) {
837 const ContainerInfo
*Container
= static_cast<const ContainerInfo
*>(info
);
838 Container
->IndexCtx
->addContainerInMap(Container
->DC
, client
);
841 CXIdxClientEntity
clang_index_getClientEntity(const CXIdxEntityInfo
*info
) {
844 const EntityInfo
*Entity
= static_cast<const EntityInfo
*>(info
);
845 return Entity
->IndexCtx
->getClientEntity(Entity
->Dcl
);
848 void clang_index_setClientEntity(const CXIdxEntityInfo
*info
,
849 CXIdxClientEntity client
) {
852 const EntityInfo
*Entity
= static_cast<const EntityInfo
*>(info
);
853 Entity
->IndexCtx
->setClientEntity(Entity
->Dcl
, client
);
856 CXIndexAction
clang_IndexAction_create(CXIndex CIdx
) {
857 return new IndexSessionData(CIdx
);
860 void clang_IndexAction_dispose(CXIndexAction idxAction
) {
862 delete static_cast<IndexSessionData
*>(idxAction
);
865 int clang_indexSourceFile(CXIndexAction idxAction
,
866 CXClientData client_data
,
867 IndexerCallbacks
*index_callbacks
,
868 unsigned index_callbacks_size
,
869 unsigned index_options
,
870 const char *source_filename
,
871 const char * const *command_line_args
,
872 int num_command_line_args
,
873 struct CXUnsavedFile
*unsaved_files
,
874 unsigned num_unsaved_files
,
875 CXTranslationUnit
*out_TU
,
876 unsigned TU_options
) {
877 SmallVector
<const char *, 4> Args
;
878 Args
.push_back("clang");
879 Args
.append(command_line_args
, command_line_args
+ num_command_line_args
);
880 return clang_indexSourceFileFullArgv(
881 idxAction
, client_data
, index_callbacks
, index_callbacks_size
,
882 index_options
, source_filename
, Args
.data(), Args
.size(), unsaved_files
,
883 num_unsaved_files
, out_TU
, TU_options
);
886 int clang_indexSourceFileFullArgv(
887 CXIndexAction idxAction
, CXClientData client_data
,
888 IndexerCallbacks
*index_callbacks
, unsigned index_callbacks_size
,
889 unsigned index_options
, const char *source_filename
,
890 const char *const *command_line_args
, int num_command_line_args
,
891 struct CXUnsavedFile
*unsaved_files
, unsigned num_unsaved_files
,
892 CXTranslationUnit
*out_TU
, unsigned TU_options
) {
894 *Log
<< source_filename
<< ": ";
895 for (int i
= 0; i
!= num_command_line_args
; ++i
)
896 *Log
<< command_line_args
[i
] << " ";
899 if (num_unsaved_files
&& !unsaved_files
)
900 return CXError_InvalidArguments
;
902 CXErrorCode result
= CXError_Failure
;
903 auto IndexSourceFileImpl
= [=, &result
]() {
904 result
= clang_indexSourceFile_Impl(
905 idxAction
, client_data
, index_callbacks
, index_callbacks_size
,
906 index_options
, source_filename
, command_line_args
,
907 num_command_line_args
, llvm::ArrayRef(unsaved_files
, num_unsaved_files
),
911 llvm::CrashRecoveryContext CRC
;
913 if (!RunSafely(CRC
, IndexSourceFileImpl
)) {
914 fprintf(stderr
, "libclang: crash detected during indexing source file: {\n");
915 fprintf(stderr
, " 'source_filename' : '%s'\n", source_filename
);
916 fprintf(stderr
, " 'command_line_args' : [");
917 for (int i
= 0; i
!= num_command_line_args
; ++i
) {
919 fprintf(stderr
, ", ");
920 fprintf(stderr
, "'%s'", command_line_args
[i
]);
922 fprintf(stderr
, "],\n");
923 fprintf(stderr
, " 'unsaved_files' : [");
924 for (unsigned i
= 0; i
!= num_unsaved_files
; ++i
) {
926 fprintf(stderr
, ", ");
927 fprintf(stderr
, "('%s', '...', %ld)", unsaved_files
[i
].Filename
,
928 unsaved_files
[i
].Length
);
930 fprintf(stderr
, "],\n");
931 fprintf(stderr
, " 'options' : %d,\n", TU_options
);
932 fprintf(stderr
, "}\n");
935 } else if (getenv("LIBCLANG_RESOURCE_USAGE")) {
937 PrintLibclangResourceUsage(*out_TU
);
943 int clang_indexTranslationUnit(CXIndexAction idxAction
,
944 CXClientData client_data
,
945 IndexerCallbacks
*index_callbacks
,
946 unsigned index_callbacks_size
,
947 unsigned index_options
,
948 CXTranslationUnit TU
) {
954 auto IndexTranslationUnitImpl
= [=, &result
]() {
955 result
= clang_indexTranslationUnit_Impl(
956 idxAction
, client_data
, index_callbacks
, index_callbacks_size
,
960 llvm::CrashRecoveryContext CRC
;
962 if (!RunSafely(CRC
, IndexTranslationUnitImpl
)) {
963 fprintf(stderr
, "libclang: crash detected during indexing TU\n");
971 void clang_indexLoc_getFileLocation(CXIdxLoc location
,
972 CXIdxClientFile
*indexFile
,
977 if (indexFile
) *indexFile
= nullptr;
978 if (file
) *file
= nullptr;
980 if (column
) *column
= 0;
981 if (offset
) *offset
= 0;
983 SourceLocation Loc
= SourceLocation::getFromRawEncoding(location
.int_data
);
984 if (!location
.ptr_data
[0] || Loc
.isInvalid())
987 CXIndexDataConsumer
&DataConsumer
=
988 *static_cast<CXIndexDataConsumer
*>(location
.ptr_data
[0]);
989 DataConsumer
.translateLoc(Loc
, indexFile
, file
, line
, column
, offset
);
992 CXSourceLocation
clang_indexLoc_getCXSourceLocation(CXIdxLoc location
) {
993 SourceLocation Loc
= SourceLocation::getFromRawEncoding(location
.int_data
);
994 if (!location
.ptr_data
[0] || Loc
.isInvalid())
995 return clang_getNullLocation();
997 CXIndexDataConsumer
&DataConsumer
=
998 *static_cast<CXIndexDataConsumer
*>(location
.ptr_data
[0]);
999 return cxloc::translateSourceLocation(DataConsumer
.getASTContext(), Loc
);