1 //===--- XRefs.cpp -----------------------------------------------*- C++-*-===//
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 //===----------------------------------------------------------------------===//
10 #include "FindSymbols.h"
11 #include "FindTarget.h"
13 #include "HeuristicResolver.h"
14 #include "IncludeCleaner.h"
15 #include "ParsedAST.h"
18 #include "Selection.h"
19 #include "SourceCode.h"
21 #include "clang-include-cleaner/Analysis.h"
22 #include "clang-include-cleaner/Types.h"
23 #include "index/Index.h"
24 #include "index/Merge.h"
25 #include "index/Relation.h"
26 #include "index/SymbolCollector.h"
27 #include "index/SymbolID.h"
28 #include "index/SymbolLocation.h"
29 #include "support/Logger.h"
30 #include "clang/AST/ASTContext.h"
31 #include "clang/AST/ASTTypeTraits.h"
32 #include "clang/AST/Attr.h"
33 #include "clang/AST/Attrs.inc"
34 #include "clang/AST/Decl.h"
35 #include "clang/AST/DeclCXX.h"
36 #include "clang/AST/DeclObjC.h"
37 #include "clang/AST/DeclTemplate.h"
38 #include "clang/AST/DeclVisitor.h"
39 #include "clang/AST/ExprCXX.h"
40 #include "clang/AST/RecursiveASTVisitor.h"
41 #include "clang/AST/Stmt.h"
42 #include "clang/AST/StmtCXX.h"
43 #include "clang/AST/StmtVisitor.h"
44 #include "clang/AST/Type.h"
45 #include "clang/Basic/LLVM.h"
46 #include "clang/Basic/LangOptions.h"
47 #include "clang/Basic/SourceLocation.h"
48 #include "clang/Basic/SourceManager.h"
49 #include "clang/Basic/TokenKinds.h"
50 #include "clang/Index/IndexDataConsumer.h"
51 #include "clang/Index/IndexSymbol.h"
52 #include "clang/Index/IndexingAction.h"
53 #include "clang/Index/IndexingOptions.h"
54 #include "clang/Index/USRGeneration.h"
55 #include "clang/Lex/Lexer.h"
56 #include "clang/Tooling/Syntax/Tokens.h"
57 #include "llvm/ADT/ArrayRef.h"
58 #include "llvm/ADT/DenseMap.h"
59 #include "llvm/ADT/STLExtras.h"
60 #include "llvm/ADT/ScopeExit.h"
61 #include "llvm/ADT/SmallSet.h"
62 #include "llvm/ADT/SmallVector.h"
63 #include "llvm/ADT/StringRef.h"
64 #include "llvm/Support/Casting.h"
65 #include "llvm/Support/Error.h"
66 #include "llvm/Support/Path.h"
67 #include "llvm/Support/raw_ostream.h"
76 // Returns the single definition of the entity declared by D, if visible.
78 // - for non-redeclarable kinds (e.g. local vars), return D
79 // - for kinds that allow multiple definitions (e.g. namespaces), return nullptr
80 // Kinds of nodes that always return nullptr here will not have definitions
81 // reported by locateSymbolAt().
82 const NamedDecl
*getDefinition(const NamedDecl
*D
) {
84 // Decl has one definition that we can find.
85 if (const auto *TD
= dyn_cast
<TagDecl
>(D
))
86 return TD
->getDefinition();
87 if (const auto *VD
= dyn_cast
<VarDecl
>(D
))
88 return VD
->getDefinition();
89 if (const auto *FD
= dyn_cast
<FunctionDecl
>(D
))
90 return FD
->getDefinition();
91 if (const auto *CTD
= dyn_cast
<ClassTemplateDecl
>(D
))
92 if (const auto *RD
= CTD
->getTemplatedDecl())
93 return RD
->getDefinition();
94 if (const auto *MD
= dyn_cast
<ObjCMethodDecl
>(D
)) {
95 if (MD
->isThisDeclarationADefinition())
97 // Look for the method definition inside the implementation decl.
98 auto *DeclCtx
= cast
<Decl
>(MD
->getDeclContext());
99 if (DeclCtx
->isInvalidDecl())
102 if (const auto *CD
= dyn_cast
<ObjCContainerDecl
>(DeclCtx
))
103 if (const auto *Impl
= getCorrespondingObjCImpl(CD
))
104 return Impl
->getMethod(MD
->getSelector(), MD
->isInstanceMethod());
106 if (const auto *CD
= dyn_cast
<ObjCContainerDecl
>(D
))
107 return getCorrespondingObjCImpl(CD
);
108 // Only a single declaration is allowed.
109 if (isa
<ValueDecl
>(D
) || isa
<TemplateTypeParmDecl
>(D
) ||
110 isa
<TemplateTemplateParmDecl
>(D
)) // except cases above
112 // Multiple definitions are allowed.
113 return nullptr; // except cases above
116 void logIfOverflow(const SymbolLocation
&Loc
) {
117 if (Loc
.Start
.hasOverflow() || Loc
.End
.hasOverflow())
118 log("Possible overflow in symbol location: {0}", Loc
);
121 // Convert a SymbolLocation to LSP's Location.
122 // TUPath is used to resolve the path of URI.
123 // FIXME: figure out a good home for it, and share the implementation with
125 std::optional
<Location
> toLSPLocation(const SymbolLocation
&Loc
,
126 llvm::StringRef TUPath
) {
129 auto Uri
= URI::parse(Loc
.FileURI
);
131 elog("Could not parse URI {0}: {1}", Loc
.FileURI
, Uri
.takeError());
134 auto U
= URIForFile::fromURI(*Uri
, TUPath
);
136 elog("Could not resolve URI {0}: {1}", Loc
.FileURI
, U
.takeError());
141 LSPLoc
.uri
= std::move(*U
);
142 LSPLoc
.range
.start
.line
= Loc
.Start
.line();
143 LSPLoc
.range
.start
.character
= Loc
.Start
.column();
144 LSPLoc
.range
.end
.line
= Loc
.End
.line();
145 LSPLoc
.range
.end
.character
= Loc
.End
.column();
150 SymbolLocation
toIndexLocation(const Location
&Loc
, std::string
&URIStorage
) {
151 SymbolLocation SymLoc
;
152 URIStorage
= Loc
.uri
.uri();
153 SymLoc
.FileURI
= URIStorage
.c_str();
154 SymLoc
.Start
.setLine(Loc
.range
.start
.line
);
155 SymLoc
.Start
.setColumn(Loc
.range
.start
.character
);
156 SymLoc
.End
.setLine(Loc
.range
.end
.line
);
157 SymLoc
.End
.setColumn(Loc
.range
.end
.character
);
161 // Returns the preferred location between an AST location and an index location.
162 SymbolLocation
getPreferredLocation(const Location
&ASTLoc
,
163 const SymbolLocation
&IdxLoc
,
164 std::string
&Scratch
) {
165 // Also use a mock symbol for the index location so that other fields (e.g.
166 // definition) are not factored into the preference.
167 Symbol ASTSym
, IdxSym
;
168 ASTSym
.ID
= IdxSym
.ID
= SymbolID("mock_symbol_id");
169 ASTSym
.CanonicalDeclaration
= toIndexLocation(ASTLoc
, Scratch
);
170 IdxSym
.CanonicalDeclaration
= IdxLoc
;
171 auto Merged
= mergeSymbol(ASTSym
, IdxSym
);
172 return Merged
.CanonicalDeclaration
;
175 std::vector
<std::pair
<const NamedDecl
*, DeclRelationSet
>>
176 getDeclAtPositionWithRelations(ParsedAST
&AST
, SourceLocation Pos
,
177 DeclRelationSet Relations
,
178 ASTNodeKind
*NodeKind
= nullptr) {
179 unsigned Offset
= AST
.getSourceManager().getDecomposedSpellingLoc(Pos
).second
;
180 std::vector
<std::pair
<const NamedDecl
*, DeclRelationSet
>> Result
;
181 auto ResultFromTree
= [&](SelectionTree ST
) {
182 if (const SelectionTree::Node
*N
= ST
.commonAncestor()) {
184 *NodeKind
= N
->ASTNode
.getNodeKind();
185 // Attributes don't target decls, look at the
186 // thing it's attached to.
187 // We still report the original NodeKind!
188 // This makes the `override` hack work.
189 if (N
->ASTNode
.get
<Attr
>() && N
->Parent
)
191 llvm::copy_if(allTargetDecls(N
->ASTNode
, AST
.getHeuristicResolver()),
192 std::back_inserter(Result
),
193 [&](auto &Entry
) { return !(Entry
.second
& ~Relations
); });
195 return !Result
.empty();
197 SelectionTree::createEach(AST
.getASTContext(), AST
.getTokens(), Offset
,
198 Offset
, ResultFromTree
);
202 std::vector
<const NamedDecl
*>
203 getDeclAtPosition(ParsedAST
&AST
, SourceLocation Pos
, DeclRelationSet Relations
,
204 ASTNodeKind
*NodeKind
= nullptr) {
205 std::vector
<const NamedDecl
*> Result
;
207 getDeclAtPositionWithRelations(AST
, Pos
, Relations
, NodeKind
))
208 Result
.push_back(Entry
.first
);
212 // Expects Loc to be a SpellingLocation, will bail out otherwise as it can't
213 // figure out a filename.
214 std::optional
<Location
> makeLocation(const ASTContext
&AST
, SourceLocation Loc
,
215 llvm::StringRef TUPath
) {
216 const auto &SM
= AST
.getSourceManager();
217 const auto F
= SM
.getFileEntryRefForID(SM
.getFileID(Loc
));
220 auto FilePath
= getCanonicalPath(*F
, SM
.getFileManager());
222 log("failed to get path!");
226 L
.uri
= URIForFile::canonicalize(*FilePath
, TUPath
);
227 // We call MeasureTokenLength here as TokenBuffer doesn't store spelled tokens
228 // outside the main file.
229 auto TokLen
= Lexer::MeasureTokenLength(Loc
, SM
, AST
.getLangOpts());
230 L
.range
= halfOpenToRange(
231 SM
, CharSourceRange::getCharRange(Loc
, Loc
.getLocWithOffset(TokLen
)));
235 // Treat #included files as symbols, to enable go-to-definition on them.
236 std::optional
<LocatedSymbol
> locateFileReferent(const Position
&Pos
,
238 llvm::StringRef MainFilePath
) {
239 for (auto &Inc
: AST
.getIncludeStructure().MainFileIncludes
) {
240 if (!Inc
.Resolved
.empty() && Inc
.HashLine
== Pos
.line
) {
242 File
.Name
= std::string(llvm::sys::path::filename(Inc
.Resolved
));
243 File
.PreferredDeclaration
= {
244 URIForFile::canonicalize(Inc
.Resolved
, MainFilePath
), Range
{}};
245 File
.Definition
= File
.PreferredDeclaration
;
246 // We're not going to find any further symbols on #include lines.
253 // Macros are simple: there's no declaration/definition distinction.
254 // As a consequence, there's no need to look them up in the index either.
255 std::optional
<LocatedSymbol
>
256 locateMacroReferent(const syntax::Token
&TouchedIdentifier
, ParsedAST
&AST
,
257 llvm::StringRef MainFilePath
) {
258 if (auto M
= locateMacroAt(TouchedIdentifier
, AST
.getPreprocessor())) {
260 makeLocation(AST
.getASTContext(), M
->NameLoc
, MainFilePath
)) {
262 Macro
.Name
= std::string(M
->Name
);
263 Macro
.PreferredDeclaration
= *Loc
;
264 Macro
.Definition
= Loc
;
265 Macro
.ID
= getSymbolID(M
->Name
, M
->Info
, AST
.getSourceManager());
272 // A wrapper around `Decl::getCanonicalDecl` to support cases where Clang's
273 // definition of a canonical declaration doesn't match up to what a programmer
274 // would expect. For example, Objective-C classes can have three types of
277 // - forward declaration(s): @class MyClass;
278 // - true declaration (interface definition): @interface MyClass ... @end
279 // - true definition (implementation): @implementation MyClass ... @end
281 // Clang will consider the forward declaration to be the canonical declaration
282 // because it is first. We actually want the class definition if it is
283 // available since that is what a programmer would consider the primary
284 // declaration to be.
285 const NamedDecl
*getPreferredDecl(const NamedDecl
*D
) {
286 // FIXME: Canonical declarations of some symbols might refer to built-in
287 // decls with possibly-invalid source locations (e.g. global new operator).
288 // In such cases we should pick up a redecl with valid source location
289 // instead of failing.
290 D
= llvm::cast
<NamedDecl
>(D
->getCanonicalDecl());
292 // Prefer Objective-C class/protocol definitions over the forward declaration.
293 if (const auto *ID
= dyn_cast
<ObjCInterfaceDecl
>(D
))
294 if (const auto *DefinitionID
= ID
->getDefinition())
296 if (const auto *PD
= dyn_cast
<ObjCProtocolDecl
>(D
))
297 if (const auto *DefinitionID
= PD
->getDefinition())
303 std::vector
<LocatedSymbol
> findImplementors(llvm::DenseSet
<SymbolID
> IDs
,
304 RelationKind Predicate
,
305 const SymbolIndex
*Index
,
306 llvm::StringRef MainFilePath
) {
307 if (IDs
.empty() || !Index
)
309 static constexpr trace::Metric
FindImplementorsMetric(
310 "find_implementors", trace::Metric::Counter
, "case");
312 case RelationKind::BaseOf
:
313 FindImplementorsMetric
.record(1, "find-base");
315 case RelationKind::OverriddenBy
:
316 FindImplementorsMetric
.record(1, "find-override");
320 RelationsRequest Req
;
321 Req
.Predicate
= Predicate
;
322 Req
.Subjects
= std::move(IDs
);
323 std::vector
<LocatedSymbol
> Results
;
324 Index
->relations(Req
, [&](const SymbolID
&Subject
, const Symbol
&Object
) {
326 indexToLSPLocation(Object
.CanonicalDeclaration
, MainFilePath
);
328 elog("Find overrides: {0}", DeclLoc
.takeError());
331 Results
.emplace_back();
332 Results
.back().Name
= Object
.Name
.str();
333 Results
.back().PreferredDeclaration
= *DeclLoc
;
334 auto DefLoc
= indexToLSPLocation(Object
.Definition
, MainFilePath
);
336 elog("Failed to convert location: {0}", DefLoc
.takeError());
339 Results
.back().Definition
= *DefLoc
;
344 // Given LocatedSymbol results derived from the AST, query the index to obtain
345 // definitions and preferred declarations.
346 void enhanceLocatedSymbolsFromIndex(llvm::MutableArrayRef
<LocatedSymbol
> Result
,
347 const SymbolIndex
*Index
,
348 llvm::StringRef MainFilePath
) {
349 LookupRequest QueryRequest
;
350 llvm::DenseMap
<SymbolID
, unsigned> ResultIndex
;
351 for (unsigned I
= 0; I
< Result
.size(); ++I
) {
352 if (auto ID
= Result
[I
].ID
) {
353 ResultIndex
.try_emplace(ID
, I
);
354 QueryRequest
.IDs
.insert(ID
);
357 if (!Index
|| QueryRequest
.IDs
.empty())
360 Index
->lookup(QueryRequest
, [&](const Symbol
&Sym
) {
361 auto &R
= Result
[ResultIndex
.lookup(Sym
.ID
)];
363 if (R
.Definition
) { // from AST
364 // Special case: if the AST yielded a definition, then it may not be
365 // the right *declaration*. Prefer the one from the index.
366 if (auto Loc
= toLSPLocation(Sym
.CanonicalDeclaration
, MainFilePath
))
367 R
.PreferredDeclaration
= *Loc
;
369 // We might still prefer the definition from the index, e.g. for
370 // generated symbols.
371 if (auto Loc
= toLSPLocation(
372 getPreferredLocation(*R
.Definition
, Sym
.Definition
, Scratch
),
376 R
.Definition
= toLSPLocation(Sym
.Definition
, MainFilePath
);
378 // Use merge logic to choose AST or index declaration.
379 if (auto Loc
= toLSPLocation(
380 getPreferredLocation(R
.PreferredDeclaration
,
381 Sym
.CanonicalDeclaration
, Scratch
),
383 R
.PreferredDeclaration
= *Loc
;
388 // Decls are more complicated.
389 // The AST contains at least a declaration, maybe a definition.
390 // These are up-to-date, and so generally preferred over index results.
391 // We perform a single batch index lookup to find additional definitions.
392 std::vector
<LocatedSymbol
>
393 locateASTReferent(SourceLocation CurLoc
, const syntax::Token
*TouchedIdentifier
,
394 ParsedAST
&AST
, llvm::StringRef MainFilePath
,
395 const SymbolIndex
*Index
, ASTNodeKind
&NodeKind
) {
396 const SourceManager
&SM
= AST
.getSourceManager();
397 // Results follow the order of Symbols.Decls.
398 std::vector
<LocatedSymbol
> Result
;
400 static constexpr trace::Metric
LocateASTReferentMetric(
401 "locate_ast_referent", trace::Metric::Counter
, "case");
402 auto AddResultDecl
= [&](const NamedDecl
*D
) {
403 D
= getPreferredDecl(D
);
405 makeLocation(AST
.getASTContext(), nameLocation(*D
, SM
), MainFilePath
);
409 Result
.emplace_back();
410 Result
.back().Name
= printName(AST
.getASTContext(), *D
);
411 Result
.back().PreferredDeclaration
= *Loc
;
412 Result
.back().ID
= getSymbolID(D
);
413 if (const NamedDecl
*Def
= getDefinition(D
))
414 Result
.back().Definition
= makeLocation(
415 AST
.getASTContext(), nameLocation(*Def
, SM
), MainFilePath
);
418 // Emit all symbol locations (declaration or definition) from AST.
419 DeclRelationSet Relations
=
420 DeclRelation::TemplatePattern
| DeclRelation::Alias
;
422 getDeclAtPositionWithRelations(AST
, CurLoc
, Relations
, &NodeKind
);
423 llvm::DenseSet
<SymbolID
> VirtualMethods
;
424 for (const auto &E
: Candidates
) {
425 const NamedDecl
*D
= E
.first
;
426 if (const auto *CMD
= llvm::dyn_cast
<CXXMethodDecl
>(D
)) {
427 // Special case: virtual void ^method() = 0: jump to all overrides.
428 // FIXME: extend it to ^virtual, unfortunately, virtual location is not
430 if (CMD
->isPureVirtual()) {
431 if (TouchedIdentifier
&& SM
.getSpellingLoc(CMD
->getLocation()) ==
432 TouchedIdentifier
->location()) {
433 VirtualMethods
.insert(getSymbolID(CMD
));
434 LocateASTReferentMetric
.record(1, "method-to-override");
437 // Special case: void foo() ^override: jump to the overridden method.
438 if (NodeKind
.isSame(ASTNodeKind::getFromNodeKind
<OverrideAttr
>()) ||
439 NodeKind
.isSame(ASTNodeKind::getFromNodeKind
<FinalAttr
>())) {
440 // We may be overridding multiple methods - offer them all.
441 for (const NamedDecl
*ND
: CMD
->overridden_methods())
447 // Special case: the cursor is on an alias, prefer other results.
448 // This targets "using ns::^Foo", where the target is more interesting.
449 // This does not trigger on renaming aliases:
450 // `using Foo = ^Bar` already targets Bar via a TypeLoc
451 // `using ^Foo = Bar` has no other results, as Underlying is filtered.
452 if (E
.second
& DeclRelation::Alias
&& Candidates
.size() > 1 &&
453 // beginLoc/endLoc are a token range, so rewind the identifier we're in.
454 SM
.isPointWithin(TouchedIdentifier
? TouchedIdentifier
->location()
456 D
->getBeginLoc(), D
->getEndLoc()))
459 // Special case: the point of declaration of a template specialization,
460 // it's more useful to navigate to the template declaration.
461 if (auto *CTSD
= dyn_cast
<ClassTemplateSpecializationDecl
>(D
)) {
462 if (TouchedIdentifier
&&
463 D
->getLocation() == TouchedIdentifier
->location()) {
464 LocateASTReferentMetric
.record(1, "template-specialization-to-primary");
465 AddResultDecl(CTSD
->getSpecializedTemplate());
470 // Special case: if the class name is selected, also map Objective-C
471 // categories and category implementations back to their class interface.
473 // Since `TouchedIdentifier` might refer to the `ObjCCategoryImplDecl`
474 // instead of the `ObjCCategoryDecl` we intentionally check the contents
475 // of the locs when checking for class name equivalence.
476 if (const auto *CD
= dyn_cast
<ObjCCategoryDecl
>(D
))
477 if (const auto *ID
= CD
->getClassInterface())
478 if (TouchedIdentifier
&&
479 (CD
->getLocation() == TouchedIdentifier
->location() ||
480 ID
->getName() == TouchedIdentifier
->text(SM
))) {
481 LocateASTReferentMetric
.record(1, "objc-category-to-class");
485 LocateASTReferentMetric
.record(1, "regular");
486 // Otherwise the target declaration is the right one.
489 enhanceLocatedSymbolsFromIndex(Result
, Index
, MainFilePath
);
491 auto Overrides
= findImplementors(VirtualMethods
, RelationKind::OverriddenBy
,
492 Index
, MainFilePath
);
493 Result
.insert(Result
.end(), Overrides
.begin(), Overrides
.end());
497 std::vector
<LocatedSymbol
> locateSymbolForType(const ParsedAST
&AST
,
498 const QualType
&Type
,
499 const SymbolIndex
*Index
) {
500 const auto &SM
= AST
.getSourceManager();
501 auto MainFilePath
= AST
.tuPath();
503 // FIXME: this sends unique_ptr<Foo> to unique_ptr<T>.
504 // Likely it would be better to send it to Foo (heuristically) or to both.
505 auto Decls
= targetDecl(DynTypedNode::create(Type
.getNonReferenceType()),
506 DeclRelation::TemplatePattern
| DeclRelation::Alias
,
507 AST
.getHeuristicResolver());
511 std::vector
<LocatedSymbol
> Results
;
512 const auto &ASTContext
= AST
.getASTContext();
514 for (const NamedDecl
*D
: Decls
) {
515 D
= getPreferredDecl(D
);
517 auto Loc
= makeLocation(ASTContext
, nameLocation(*D
, SM
), MainFilePath
);
521 Results
.emplace_back();
522 Results
.back().Name
= printName(ASTContext
, *D
);
523 Results
.back().PreferredDeclaration
= *Loc
;
524 Results
.back().ID
= getSymbolID(D
);
525 if (const NamedDecl
*Def
= getDefinition(D
))
526 Results
.back().Definition
=
527 makeLocation(ASTContext
, nameLocation(*Def
, SM
), MainFilePath
);
529 enhanceLocatedSymbolsFromIndex(Results
, Index
, MainFilePath
);
534 bool tokenSpelledAt(SourceLocation SpellingLoc
, const syntax::TokenBuffer
&TB
) {
535 auto ExpandedTokens
= TB
.expandedTokens(
536 TB
.sourceManager().getMacroArgExpandedLocation(SpellingLoc
));
537 return !ExpandedTokens
.empty();
540 llvm::StringRef
sourcePrefix(SourceLocation Loc
, const SourceManager
&SM
) {
541 auto D
= SM
.getDecomposedLoc(Loc
);
542 bool Invalid
= false;
543 llvm::StringRef Buf
= SM
.getBufferData(D
.first
, &Invalid
);
544 if (Invalid
|| D
.second
> Buf
.size())
546 return Buf
.substr(0, D
.second
);
549 bool isDependentName(ASTNodeKind NodeKind
) {
550 return NodeKind
.isSame(ASTNodeKind::getFromNodeKind
<OverloadExpr
>()) ||
552 ASTNodeKind::getFromNodeKind
<CXXDependentScopeMemberExpr
>()) ||
554 ASTNodeKind::getFromNodeKind
<DependentScopeDeclRefExpr
>());
559 std::vector
<LocatedSymbol
> locateSymbolTextually(const SpelledWord
&Word
,
561 const SymbolIndex
*Index
,
562 llvm::StringRef MainFilePath
,
563 ASTNodeKind NodeKind
) {
564 // Don't use heuristics if this is a real identifier, or not an
566 // Exception: dependent names, because those may have useful textual
567 // matches that AST-based heuristics cannot find.
568 if ((Word
.ExpandedToken
&& !isDependentName(NodeKind
)) ||
569 !Word
.LikelyIdentifier
|| !Index
)
571 // We don't want to handle words in string literals. (It'd be nice to list
572 // *allowed* token kinds explicitly, but comment Tokens aren't retained).
573 if (Word
.PartOfSpelledToken
&&
574 isStringLiteral(Word
.PartOfSpelledToken
->kind()))
577 const auto &SM
= AST
.getSourceManager();
578 // Look up the selected word in the index.
579 FuzzyFindRequest Req
;
580 Req
.Query
= Word
.Text
.str();
581 Req
.ProximityPaths
= {MainFilePath
.str()};
582 // Find the namespaces to query by lexing the file.
584 visibleNamespaces(sourcePrefix(Word
.Location
, SM
), AST
.getLangOpts());
585 // FIXME: For extra strictness, consider AnyScope=false.
587 // We limit the results to 3 further below. This limit is to avoid fetching
588 // too much data, while still likely having enough for 3 results to remain
589 // after additional filtering.
591 bool TooMany
= false;
592 using ScoredLocatedSymbol
= std::pair
<float, LocatedSymbol
>;
593 std::vector
<ScoredLocatedSymbol
> ScoredResults
;
594 Index
->fuzzyFind(Req
, [&](const Symbol
&Sym
) {
595 // Only consider exact name matches, including case.
596 // This is to avoid too many false positives.
597 // We could relax this in the future (e.g. to allow for typos) if we make
598 // the query more accurate by other means.
599 if (Sym
.Name
!= Word
.Text
)
602 // Exclude constructor results. They have the same name as the class,
603 // but we don't have enough context to prefer them over the class.
604 if (Sym
.SymInfo
.Kind
== index::SymbolKind::Constructor
)
608 indexToLSPLocation(Sym
.CanonicalDeclaration
, MainFilePath
);
610 log("locateSymbolNamedTextuallyAt: {0}", MaybeDeclLoc
.takeError());
613 LocatedSymbol Located
;
614 Located
.PreferredDeclaration
= *MaybeDeclLoc
;
615 Located
.Name
= (Sym
.Name
+ Sym
.TemplateSpecializationArgs
).str();
617 if (Sym
.Definition
) {
618 auto MaybeDefLoc
= indexToLSPLocation(Sym
.Definition
, MainFilePath
);
620 log("locateSymbolNamedTextuallyAt: {0}", MaybeDefLoc
.takeError());
623 Located
.PreferredDeclaration
= *MaybeDefLoc
;
624 Located
.Definition
= *MaybeDefLoc
;
627 if (ScoredResults
.size() >= 5) {
628 // If we have more than 5 results, don't return anything,
629 // as confidence is too low.
630 // FIXME: Alternatively, try a stricter query?
635 SymbolQualitySignals Quality
;
637 SymbolRelevanceSignals Relevance
;
638 Relevance
.Name
= Sym
.Name
;
639 Relevance
.Query
= SymbolRelevanceSignals::Generic
;
640 Relevance
.merge(Sym
);
641 auto Score
= evaluateSymbolAndRelevance(Quality
.evaluateHeuristics(),
642 Relevance
.evaluateHeuristics());
643 dlog("locateSymbolNamedTextuallyAt: {0}{1} = {2}\n{3}{4}\n", Sym
.Scope
,
644 Sym
.Name
, Score
, Quality
, Relevance
);
646 ScoredResults
.push_back({Score
, std::move(Located
)});
650 vlog("Heuristic index lookup for {0} returned too many candidates, ignored",
655 llvm::sort(ScoredResults
,
656 [](const ScoredLocatedSymbol
&A
, const ScoredLocatedSymbol
&B
) {
657 return A
.first
> B
.first
;
659 std::vector
<LocatedSymbol
> Results
;
660 for (auto &Res
: std::move(ScoredResults
))
661 Results
.push_back(std::move(Res
.second
));
663 vlog("No heuristic index definition for {0}", Word
.Text
);
665 log("Found definition heuristically in index for {0}", Word
.Text
);
669 const syntax::Token
*findNearbyIdentifier(const SpelledWord
&Word
,
670 const syntax::TokenBuffer
&TB
) {
671 // Don't use heuristics if this is a real identifier.
672 // Unlikely identifiers are OK if they were used as identifiers nearby.
673 if (Word
.ExpandedToken
)
675 // We don't want to handle words in string literals. (It'd be nice to list
676 // *allowed* token kinds explicitly, but comment Tokens aren't retained).
677 if (Word
.PartOfSpelledToken
&&
678 isStringLiteral(Word
.PartOfSpelledToken
->kind()))
681 const SourceManager
&SM
= TB
.sourceManager();
682 // We prefer the closest possible token, line-wise. Backwards is penalized.
683 // Ties are implicitly broken by traversal order (first-one-wins).
684 auto File
= SM
.getFileID(Word
.Location
);
685 unsigned WordLine
= SM
.getSpellingLineNumber(Word
.Location
);
686 auto Cost
= [&](SourceLocation Loc
) -> unsigned {
687 assert(SM
.getFileID(Loc
) == File
&& "spelled token in wrong file?");
688 unsigned Line
= SM
.getSpellingLineNumber(Loc
);
689 return Line
>= WordLine
? Line
- WordLine
: 2 * (WordLine
- Line
);
691 const syntax::Token
*BestTok
= nullptr;
692 unsigned BestCost
= -1;
693 // Search bounds are based on word length:
694 // - forward: 2^N lines
695 // - backward: 2^(N-1) lines.
696 unsigned MaxDistance
=
697 1U << std::min
<unsigned>(Word
.Text
.size(),
698 std::numeric_limits
<unsigned>::digits
- 1);
699 // Line number for SM.translateLineCol() should be one-based, also
700 // SM.translateLineCol() can handle line number greater than
701 // number of lines in the file.
702 // - LineMin = max(1, WordLine + 1 - 2^(N-1))
703 // - LineMax = WordLine + 1 + 2^N
705 WordLine
+ 1 <= MaxDistance
/ 2 ? 1 : WordLine
+ 1 - MaxDistance
/ 2;
706 unsigned LineMax
= WordLine
+ 1 + MaxDistance
;
707 SourceLocation LocMin
= SM
.translateLineCol(File
, LineMin
, 1);
708 assert(LocMin
.isValid());
709 SourceLocation LocMax
= SM
.translateLineCol(File
, LineMax
, 1);
710 assert(LocMax
.isValid());
712 // Updates BestTok and BestCost if Tok is a good candidate.
713 // May return true if the cost is too high for this token.
714 auto Consider
= [&](const syntax::Token
&Tok
) {
715 if (Tok
.location() < LocMin
|| Tok
.location() > LocMax
)
716 return true; // we are too far from the word, break the outer loop.
717 if (!(Tok
.kind() == tok::identifier
&& Tok
.text(SM
) == Word
.Text
))
719 // No point guessing the same location we started with.
720 if (Tok
.location() == Word
.Location
)
722 // We've done cheap checks, compute cost so we can break the caller's loop.
723 unsigned TokCost
= Cost(Tok
.location());
724 if (TokCost
>= BestCost
)
725 return true; // causes the outer loop to break.
726 // Allow locations that might be part of the AST, and macros (even if empty)
727 // but not things like disabled preprocessor sections.
728 if (!(tokenSpelledAt(Tok
.location(), TB
) || TB
.expansionStartingAt(&Tok
)))
730 // We already verified this token is an improvement.
735 auto SpelledTokens
= TB
.spelledTokens(File
);
736 // Find where the word occurred in the token stream, to search forward & back.
737 auto *I
= llvm::partition_point(SpelledTokens
, [&](const syntax::Token
&T
) {
738 assert(SM
.getFileID(T
.location()) == SM
.getFileID(Word
.Location
));
739 return T
.location() < Word
.Location
; // Comparison OK: same file.
741 // Search for matches after the cursor.
742 for (const syntax::Token
&Tok
: llvm::ArrayRef(I
, SpelledTokens
.end()))
744 break; // costs of later tokens are greater...
745 // Search for matches before the cursor.
746 for (const syntax::Token
&Tok
:
747 llvm::reverse(llvm::ArrayRef(SpelledTokens
.begin(), I
)))
753 "Word {0} under cursor {1} isn't a token (after PP), trying nearby {2}",
754 Word
.Text
, Word
.Location
.printToString(SM
),
755 BestTok
->location().printToString(SM
));
760 std::vector
<LocatedSymbol
> locateSymbolAt(ParsedAST
&AST
, Position Pos
,
761 const SymbolIndex
*Index
) {
762 const auto &SM
= AST
.getSourceManager();
763 auto MainFilePath
= AST
.tuPath();
765 if (auto File
= locateFileReferent(Pos
, AST
, MainFilePath
))
766 return {std::move(*File
)};
768 auto CurLoc
= sourceLocationInMainFile(SM
, Pos
);
770 elog("locateSymbolAt failed to convert position to source location: {0}",
775 const syntax::Token
*TouchedIdentifier
= nullptr;
776 auto TokensTouchingCursor
=
777 syntax::spelledTokensTouching(*CurLoc
, AST
.getTokens());
778 for (const syntax::Token
&Tok
: TokensTouchingCursor
) {
779 if (Tok
.kind() == tok::identifier
) {
780 if (auto Macro
= locateMacroReferent(Tok
, AST
, MainFilePath
))
781 // Don't look at the AST or index if we have a macro result.
782 // (We'd just return declarations referenced from the macro's
784 return {*std::move(Macro
)};
786 TouchedIdentifier
= &Tok
;
790 if (Tok
.kind() == tok::kw_auto
|| Tok
.kind() == tok::kw_decltype
) {
791 // go-to-definition on auto should find the definition of the deduced
793 if (auto Deduced
= getDeducedType(AST
.getASTContext(), Tok
.location())) {
794 auto LocSym
= locateSymbolForType(AST
, *Deduced
, Index
);
801 ASTNodeKind NodeKind
;
802 auto ASTResults
= locateASTReferent(*CurLoc
, TouchedIdentifier
, AST
,
803 MainFilePath
, Index
, NodeKind
);
804 if (!ASTResults
.empty())
807 // If the cursor can't be resolved directly, try fallback strategies.
809 SpelledWord::touching(*CurLoc
, AST
.getTokens(), AST
.getLangOpts());
811 // Is the same word nearby a real identifier that might refer to something?
812 if (const syntax::Token
*NearbyIdent
=
813 findNearbyIdentifier(*Word
, AST
.getTokens())) {
814 if (auto Macro
= locateMacroReferent(*NearbyIdent
, AST
, MainFilePath
)) {
815 log("Found macro definition heuristically using nearby identifier {0}",
817 return {*std::move(Macro
)};
819 ASTResults
= locateASTReferent(NearbyIdent
->location(), NearbyIdent
, AST
,
820 MainFilePath
, Index
, NodeKind
);
821 if (!ASTResults
.empty()) {
822 log("Found definition heuristically using nearby identifier {0}",
823 NearbyIdent
->text(SM
));
826 vlog("No definition found using nearby identifier {0} at {1}", Word
->Text
,
827 Word
->Location
.printToString(SM
));
829 // No nearby word, or it didn't refer to anything either. Try the index.
830 auto TextualResults
=
831 locateSymbolTextually(*Word
, AST
, Index
, MainFilePath
, NodeKind
);
832 if (!TextualResults
.empty())
833 return TextualResults
;
839 std::vector
<DocumentLink
> getDocumentLinks(ParsedAST
&AST
) {
840 const auto &SM
= AST
.getSourceManager();
842 std::vector
<DocumentLink
> Result
;
843 for (auto &Inc
: AST
.getIncludeStructure().MainFileIncludes
) {
844 if (Inc
.Resolved
.empty())
846 auto HashLoc
= SM
.getComposedLoc(SM
.getMainFileID(), Inc
.HashOffset
);
847 const auto *HashTok
= AST
.getTokens().spelledTokenContaining(HashLoc
);
848 assert(HashTok
&& "got inclusion at wrong offset");
849 const auto *IncludeTok
= std::next(HashTok
);
850 const auto *FileTok
= std::next(IncludeTok
);
851 // FileTok->range is not sufficient here, as raw lexing wouldn't yield
852 // correct tokens for angled filenames. Hence we explicitly use
853 // Inc.Written's length.
855 syntax::FileRange(SM
, FileTok
->location(), Inc
.Written
.length())
859 DocumentLink({halfOpenToRange(SM
, FileRange
),
860 URIForFile::canonicalize(Inc
.Resolved
, AST
.tuPath())}));
868 /// Collects references to symbols within the main file.
869 class ReferenceFinder
: public index::IndexDataConsumer
{
872 syntax::Token SpelledTok
;
873 index::SymbolRoleSet Role
;
874 const Decl
*Container
;
876 Range
range(const SourceManager
&SM
) const {
877 return halfOpenToRange(SM
, SpelledTok
.range(SM
).toCharRange(SM
));
881 ReferenceFinder(const ParsedAST
&AST
,
882 const llvm::ArrayRef
<const NamedDecl
*> Targets
,
884 : PerToken(PerToken
), AST(AST
) {
885 for (const NamedDecl
*ND
: Targets
)
886 TargetDecls
.insert(ND
->getCanonicalDecl());
889 std::vector
<Reference
> take() && {
890 llvm::sort(References
, [](const Reference
&L
, const Reference
&R
) {
891 auto LTok
= L
.SpelledTok
.location();
892 auto RTok
= R
.SpelledTok
.location();
893 return std::tie(LTok
, L
.Role
) < std::tie(RTok
, R
.Role
);
895 // We sometimes see duplicates when parts of the AST get traversed twice.
896 References
.erase(std::unique(References
.begin(), References
.end(),
897 [](const Reference
&L
, const Reference
&R
) {
898 auto LTok
= L
.SpelledTok
.location();
899 auto RTok
= R
.SpelledTok
.location();
900 return std::tie(LTok
, L
.Role
) ==
901 std::tie(RTok
, R
.Role
);
904 return std::move(References
);
908 handleDeclOccurrence(const Decl
*D
, index::SymbolRoleSet Roles
,
909 llvm::ArrayRef
<index::SymbolRelation
> Relations
,
911 index::IndexDataConsumer::ASTNodeInfo ASTNode
) override
{
912 if (!TargetDecls
.contains(D
->getCanonicalDecl()))
914 const SourceManager
&SM
= AST
.getSourceManager();
915 if (!isInsideMainFile(Loc
, SM
))
917 const auto &TB
= AST
.getTokens();
919 llvm::SmallVector
<SourceLocation
, 1> Locs
;
921 // Check whether this is one of the few constructs where the reference
922 // can be split over several tokens.
923 if (auto *OME
= llvm::dyn_cast_or_null
<ObjCMessageExpr
>(ASTNode
.OrigE
)) {
924 OME
->getSelectorLocs(Locs
);
925 } else if (auto *OMD
=
926 llvm::dyn_cast_or_null
<ObjCMethodDecl
>(ASTNode
.OrigD
)) {
927 OMD
->getSelectorLocs(Locs
);
929 // Sanity check: we expect the *first* token to match the reported loc.
930 // Otherwise, maybe it was e.g. some other kind of reference to a Decl.
931 if (!Locs
.empty() && Locs
.front() != Loc
)
932 Locs
.clear(); // First token doesn't match, assume our guess was wrong.
937 SymbolCollector::Options CollectorOpts
;
938 CollectorOpts
.CollectMainFileSymbols
= true;
939 for (SourceLocation L
: Locs
) {
940 L
= SM
.getFileLoc(L
);
941 if (const auto *Tok
= TB
.spelledTokenContaining(L
))
942 References
.push_back(
944 SymbolCollector::getRefContainer(ASTNode
.Parent
, CollectorOpts
)});
950 bool PerToken
; // If true, report 3 references for split ObjC selector names.
951 std::vector
<Reference
> References
;
952 const ParsedAST
&AST
;
953 llvm::DenseSet
<const Decl
*> TargetDecls
;
956 std::vector
<ReferenceFinder::Reference
>
957 findRefs(const llvm::ArrayRef
<const NamedDecl
*> TargetDecls
, ParsedAST
&AST
,
959 ReferenceFinder
RefFinder(AST
, TargetDecls
, PerToken
);
960 index::IndexingOptions IndexOpts
;
961 IndexOpts
.SystemSymbolFilter
=
962 index::IndexingOptions::SystemSymbolFilterKind::All
;
963 IndexOpts
.IndexFunctionLocals
= true;
964 IndexOpts
.IndexParametersInDeclarations
= true;
965 IndexOpts
.IndexTemplateParameters
= true;
966 indexTopLevelDecls(AST
.getASTContext(), AST
.getPreprocessor(),
967 AST
.getLocalTopLevelDecls(), RefFinder
, IndexOpts
);
968 return std::move(RefFinder
).take();
971 const Stmt
*getFunctionBody(DynTypedNode N
) {
972 if (const auto *FD
= N
.get
<FunctionDecl
>())
973 return FD
->getBody();
974 if (const auto *FD
= N
.get
<BlockDecl
>())
975 return FD
->getBody();
976 if (const auto *FD
= N
.get
<LambdaExpr
>())
977 return FD
->getBody();
978 if (const auto *FD
= N
.get
<ObjCMethodDecl
>())
979 return FD
->getBody();
983 const Stmt
*getLoopBody(DynTypedNode N
) {
984 if (const auto *LS
= N
.get
<ForStmt
>())
985 return LS
->getBody();
986 if (const auto *LS
= N
.get
<CXXForRangeStmt
>())
987 return LS
->getBody();
988 if (const auto *LS
= N
.get
<WhileStmt
>())
989 return LS
->getBody();
990 if (const auto *LS
= N
.get
<DoStmt
>())
991 return LS
->getBody();
995 // AST traversal to highlight control flow statements under some root.
996 // Once we hit further control flow we prune the tree (or at least restrict
997 // what we highlight) so we capture e.g. breaks from the outer loop only.
998 class FindControlFlow
: public RecursiveASTVisitor
<FindControlFlow
> {
999 // Types of control-flow statements we might highlight.
1007 All
= Break
| Continue
| Return
| Case
| Throw
| Goto
,
1009 int Ignore
= 0; // bitmask of Target - what are we *not* highlighting?
1010 SourceRange Bounds
; // Half-open, restricts reported targets.
1011 std::vector
<SourceLocation
> &Result
;
1012 const SourceManager
&SM
;
1014 // Masks out targets for a traversal into D.
1015 // Traverses the subtree using Delegate() if any targets remain.
1016 template <typename Func
>
1017 bool filterAndTraverse(DynTypedNode D
, const Func
&Delegate
) {
1018 auto RestoreIgnore
= llvm::make_scope_exit(
1019 [OldIgnore(Ignore
), this] { Ignore
= OldIgnore
; });
1020 if (getFunctionBody(D
))
1022 else if (getLoopBody(D
))
1023 Ignore
|= Continue
| Break
;
1024 else if (D
.get
<SwitchStmt
>())
1025 Ignore
|= Break
| Case
;
1026 // Prune tree if we're not looking for anything.
1027 return (Ignore
== All
) ? true : Delegate();
1030 void found(Target T
, SourceLocation Loc
) {
1033 if (SM
.isBeforeInTranslationUnit(Loc
, Bounds
.getBegin()) ||
1034 SM
.isBeforeInTranslationUnit(Bounds
.getEnd(), Loc
))
1036 Result
.push_back(Loc
);
1040 FindControlFlow(SourceRange Bounds
, std::vector
<SourceLocation
> &Result
,
1041 const SourceManager
&SM
)
1042 : Bounds(Bounds
), Result(Result
), SM(SM
) {}
1044 // When traversing function or loops, limit targets to those that still
1045 // refer to the original root.
1046 bool TraverseDecl(Decl
*D
) {
1047 return !D
|| filterAndTraverse(DynTypedNode::create(*D
), [&] {
1048 return RecursiveASTVisitor::TraverseDecl(D
);
1051 bool TraverseStmt(Stmt
*S
) {
1052 return !S
|| filterAndTraverse(DynTypedNode::create(*S
), [&] {
1053 return RecursiveASTVisitor::TraverseStmt(S
);
1057 // Add leaves that we found and want.
1058 bool VisitReturnStmt(ReturnStmt
*R
) {
1059 found(Return
, R
->getReturnLoc());
1062 bool VisitBreakStmt(BreakStmt
*B
) {
1063 found(Break
, B
->getBreakLoc());
1066 bool VisitContinueStmt(ContinueStmt
*C
) {
1067 found(Continue
, C
->getContinueLoc());
1070 bool VisitSwitchCase(SwitchCase
*C
) {
1071 found(Case
, C
->getKeywordLoc());
1074 bool VisitCXXThrowExpr(CXXThrowExpr
*T
) {
1075 found(Throw
, T
->getThrowLoc());
1078 bool VisitGotoStmt(GotoStmt
*G
) {
1079 // Goto is interesting if its target is outside the root.
1080 if (const auto *LD
= G
->getLabel()) {
1081 if (SM
.isBeforeInTranslationUnit(LD
->getLocation(), Bounds
.getBegin()) ||
1082 SM
.isBeforeInTranslationUnit(Bounds
.getEnd(), LD
->getLocation()))
1083 found(Goto
, G
->getGotoLoc());
1089 // Given a location within a switch statement, return the half-open range that
1090 // covers the case it's contained in.
1091 // We treat `case X: case Y: ...` as one case, and assume no other fallthrough.
1092 SourceRange
findCaseBounds(const SwitchStmt
&Switch
, SourceLocation Loc
,
1093 const SourceManager
&SM
) {
1094 // Cases are not stored in order, sort them first.
1095 // (In fact they seem to be stored in reverse order, don't rely on this)
1096 std::vector
<const SwitchCase
*> Cases
;
1097 for (const SwitchCase
*Case
= Switch
.getSwitchCaseList(); Case
;
1098 Case
= Case
->getNextSwitchCase())
1099 Cases
.push_back(Case
);
1100 llvm::sort(Cases
, [&](const SwitchCase
*L
, const SwitchCase
*R
) {
1101 return SM
.isBeforeInTranslationUnit(L
->getKeywordLoc(), R
->getKeywordLoc());
1104 // Find the first case after the target location, the end of our range.
1105 auto CaseAfter
= llvm::partition_point(Cases
, [&](const SwitchCase
*C
) {
1106 return !SM
.isBeforeInTranslationUnit(Loc
, C
->getKeywordLoc());
1108 SourceLocation End
= CaseAfter
== Cases
.end() ? Switch
.getEndLoc()
1109 : (*CaseAfter
)->getKeywordLoc();
1111 // Our target can be before the first case - cases are optional!
1112 if (CaseAfter
== Cases
.begin())
1113 return SourceRange(Switch
.getBeginLoc(), End
);
1114 // The start of our range is usually the previous case, but...
1115 auto CaseBefore
= std::prev(CaseAfter
);
1116 // ... rewind CaseBefore to the first in a `case A: case B: ...` sequence.
1117 while (CaseBefore
!= Cases
.begin() &&
1118 (*std::prev(CaseBefore
))->getSubStmt() == *CaseBefore
)
1120 return SourceRange((*CaseBefore
)->getKeywordLoc(), End
);
1123 // Returns the locations of control flow statements related to N. e.g.:
1124 // for => branches: break/continue/return/throw
1125 // break => controlling loop (forwhile/do), and its related control flow
1126 // return => all returns/throws from the same function
1127 // When an inner block is selected, we include branches bound to outer blocks
1128 // as these are exits from the inner block. e.g. return in a for loop.
1129 // FIXME: We don't analyze catch blocks, throw is treated the same as return.
1130 std::vector
<SourceLocation
> relatedControlFlow(const SelectionTree::Node
&N
) {
1131 const SourceManager
&SM
=
1132 N
.getDeclContext().getParentASTContext().getSourceManager();
1133 std::vector
<SourceLocation
> Result
;
1135 // First, check if we're at a node that can resolve to a root.
1136 enum class Cur
{ None
, Break
, Continue
, Return
, Case
, Throw
} Cursor
;
1137 if (N
.ASTNode
.get
<BreakStmt
>()) {
1138 Cursor
= Cur::Break
;
1139 } else if (N
.ASTNode
.get
<ContinueStmt
>()) {
1140 Cursor
= Cur::Continue
;
1141 } else if (N
.ASTNode
.get
<ReturnStmt
>()) {
1142 Cursor
= Cur::Return
;
1143 } else if (N
.ASTNode
.get
<CXXThrowExpr
>()) {
1144 Cursor
= Cur::Throw
;
1145 } else if (N
.ASTNode
.get
<SwitchCase
>()) {
1147 } else if (const GotoStmt
*GS
= N
.ASTNode
.get
<GotoStmt
>()) {
1148 // We don't know what root to associate with, but highlight the goto/label.
1149 Result
.push_back(GS
->getGotoLoc());
1150 if (const auto *LD
= GS
->getLabel())
1151 Result
.push_back(LD
->getLocation());
1157 const Stmt
*Root
= nullptr; // Loop or function body to traverse.
1159 // Look up the tree for a root (or just at this node if we didn't find a leaf)
1160 for (const auto *P
= &N
; P
; P
= P
->Parent
) {
1161 // return associates with enclosing function
1162 if (const Stmt
*FunctionBody
= getFunctionBody(P
->ASTNode
)) {
1163 if (Cursor
== Cur::Return
|| Cursor
== Cur::Throw
) {
1164 Root
= FunctionBody
;
1166 break; // other leaves don't cross functions.
1168 // break/continue associate with enclosing loop.
1169 if (const Stmt
*LoopBody
= getLoopBody(P
->ASTNode
)) {
1170 if (Cursor
== Cur::None
|| Cursor
== Cur::Break
||
1171 Cursor
== Cur::Continue
) {
1173 // Highlight the loop keyword itself.
1174 // FIXME: for do-while, this only covers the `do`..
1175 Result
.push_back(P
->ASTNode
.getSourceRange().getBegin());
1179 // For switches, users think of case statements as control flow blocks.
1180 // We highlight only occurrences surrounded by the same case.
1181 // We don't detect fallthrough (other than 'case X, case Y').
1182 if (const auto *SS
= P
->ASTNode
.get
<SwitchStmt
>()) {
1183 if (Cursor
== Cur::Break
|| Cursor
== Cur::Case
) {
1184 Result
.push_back(SS
->getSwitchLoc()); // Highlight the switch.
1185 Root
= SS
->getBody();
1186 // Limit to enclosing case, if there is one.
1187 Bounds
= findCaseBounds(*SS
, N
.ASTNode
.getSourceRange().getBegin(), SM
);
1191 // If we didn't start at some interesting node, we're done.
1192 if (Cursor
== Cur::None
)
1196 if (!Bounds
.isValid())
1197 Bounds
= Root
->getSourceRange();
1198 FindControlFlow(Bounds
, Result
, SM
).TraverseStmt(const_cast<Stmt
*>(Root
));
1203 DocumentHighlight
toHighlight(const ReferenceFinder::Reference
&Ref
,
1204 const SourceManager
&SM
) {
1205 DocumentHighlight DH
;
1206 DH
.range
= Ref
.range(SM
);
1207 if (Ref
.Role
& index::SymbolRoleSet(index::SymbolRole::Write
))
1208 DH
.kind
= DocumentHighlightKind::Write
;
1209 else if (Ref
.Role
& index::SymbolRoleSet(index::SymbolRole::Read
))
1210 DH
.kind
= DocumentHighlightKind::Read
;
1212 DH
.kind
= DocumentHighlightKind::Text
;
1216 std::optional
<DocumentHighlight
> toHighlight(SourceLocation Loc
,
1217 const syntax::TokenBuffer
&TB
) {
1218 Loc
= TB
.sourceManager().getFileLoc(Loc
);
1219 if (const auto *Tok
= TB
.spelledTokenContaining(Loc
)) {
1220 DocumentHighlight Result
;
1221 Result
.range
= halfOpenToRange(
1223 CharSourceRange::getCharRange(Tok
->location(), Tok
->endLocation()));
1226 return std::nullopt
;
1231 std::vector
<DocumentHighlight
> findDocumentHighlights(ParsedAST
&AST
,
1233 const SourceManager
&SM
= AST
.getSourceManager();
1234 // FIXME: show references to macro within file?
1235 auto CurLoc
= sourceLocationInMainFile(SM
, Pos
);
1237 llvm::consumeError(CurLoc
.takeError());
1240 std::vector
<DocumentHighlight
> Result
;
1241 auto TryTree
= [&](SelectionTree ST
) {
1242 if (const SelectionTree::Node
*N
= ST
.commonAncestor()) {
1243 DeclRelationSet Relations
=
1244 DeclRelation::TemplatePattern
| DeclRelation::Alias
;
1246 targetDecl(N
->ASTNode
, Relations
, AST
.getHeuristicResolver());
1247 if (!TargetDecls
.empty()) {
1248 // FIXME: we may get multiple DocumentHighlights with the same location
1249 // and different kinds, deduplicate them.
1250 for (const auto &Ref
: findRefs(TargetDecls
, AST
, /*PerToken=*/true))
1251 Result
.push_back(toHighlight(Ref
, SM
));
1254 auto ControlFlow
= relatedControlFlow(*N
);
1255 if (!ControlFlow
.empty()) {
1256 for (SourceLocation Loc
: ControlFlow
)
1257 if (auto Highlight
= toHighlight(Loc
, AST
.getTokens()))
1258 Result
.push_back(std::move(*Highlight
));
1266 AST
.getSourceManager().getDecomposedSpellingLoc(*CurLoc
).second
;
1267 SelectionTree::createEach(AST
.getASTContext(), AST
.getTokens(), Offset
,
1272 std::vector
<LocatedSymbol
> findImplementations(ParsedAST
&AST
, Position Pos
,
1273 const SymbolIndex
*Index
) {
1274 // We rely on index to find the implementations in subclasses.
1275 // FIXME: Index can be stale, so we may loose some latest results from the
1279 const SourceManager
&SM
= AST
.getSourceManager();
1280 auto CurLoc
= sourceLocationInMainFile(SM
, Pos
);
1282 elog("Failed to convert position to source location: {0}",
1283 CurLoc
.takeError());
1286 DeclRelationSet Relations
=
1287 DeclRelation::TemplatePattern
| DeclRelation::Alias
;
1288 llvm::DenseSet
<SymbolID
> IDs
;
1289 RelationKind QueryKind
= RelationKind::OverriddenBy
;
1290 for (const NamedDecl
*ND
: getDeclAtPosition(AST
, *CurLoc
, Relations
)) {
1291 if (const auto *CXXMD
= llvm::dyn_cast
<CXXMethodDecl
>(ND
)) {
1292 if (CXXMD
->isVirtual()) {
1293 IDs
.insert(getSymbolID(ND
));
1294 QueryKind
= RelationKind::OverriddenBy
;
1296 } else if (const auto *RD
= dyn_cast
<CXXRecordDecl
>(ND
)) {
1297 IDs
.insert(getSymbolID(RD
));
1298 QueryKind
= RelationKind::BaseOf
;
1301 return findImplementors(std::move(IDs
), QueryKind
, Index
, AST
.tuPath());
1305 // Recursively finds all the overridden methods of `CMD` in complete type
1307 void getOverriddenMethods(const CXXMethodDecl
*CMD
,
1308 llvm::DenseSet
<SymbolID
> &OverriddenMethods
) {
1311 for (const CXXMethodDecl
*Base
: CMD
->overridden_methods()) {
1312 if (auto ID
= getSymbolID(Base
))
1313 OverriddenMethods
.insert(ID
);
1314 getOverriddenMethods(Base
, OverriddenMethods
);
1318 std::optional
<std::string
>
1319 stringifyContainerForMainFileRef(const Decl
*Container
) {
1320 // FIXME We might also want to display the signature here
1321 // When doing so, remember to also add the Signature to index results!
1322 if (auto *ND
= llvm::dyn_cast_if_present
<NamedDecl
>(Container
))
1323 return printQualifiedName(*ND
);
1327 std::optional
<ReferencesResult
>
1328 maybeFindIncludeReferences(ParsedAST
&AST
, Position Pos
,
1329 URIForFile URIMainFile
) {
1330 const auto &Includes
= AST
.getIncludeStructure().MainFileIncludes
;
1331 auto IncludeOnLine
= llvm::find_if(Includes
, [&Pos
](const Inclusion
&Inc
) {
1332 return Inc
.HashLine
== Pos
.line
;
1334 if (IncludeOnLine
== Includes
.end())
1335 return std::nullopt
;
1337 const SourceManager
&SM
= AST
.getSourceManager();
1338 ReferencesResult Results
;
1339 auto Converted
= convertIncludes(AST
);
1340 include_cleaner::walkUsed(
1341 AST
.getLocalTopLevelDecls(), collectMacroReferences(AST
),
1342 &AST
.getPragmaIncludes(), AST
.getPreprocessor(),
1343 [&](const include_cleaner::SymbolReference
&Ref
,
1344 llvm::ArrayRef
<include_cleaner::Header
> Providers
) {
1345 if (Ref
.RT
!= include_cleaner::RefType::Explicit
||
1346 !isPreferredProvider(*IncludeOnLine
, Converted
, Providers
))
1349 auto Loc
= SM
.getFileLoc(Ref
.RefLocation
);
1350 // File locations can be outside of the main file if macro is
1351 // expanded through an #include.
1352 while (SM
.getFileID(Loc
) != SM
.getMainFileID())
1353 Loc
= SM
.getIncludeLoc(SM
.getFileID(Loc
));
1355 ReferencesResult::Reference Result
;
1356 const auto *Token
= AST
.getTokens().spelledTokenContaining(Loc
);
1357 assert(Token
&& "references expected token here");
1358 Result
.Loc
.range
= Range
{sourceLocToPosition(SM
, Token
->location()),
1359 sourceLocToPosition(SM
, Token
->endLocation())};
1360 Result
.Loc
.uri
= URIMainFile
;
1361 Results
.References
.push_back(std::move(Result
));
1363 if (Results
.References
.empty())
1364 return std::nullopt
;
1366 // Add the #include line to the references list.
1367 ReferencesResult::Reference Result
;
1368 Result
.Loc
.range
= rangeTillEOL(SM
.getBufferData(SM
.getMainFileID()),
1369 IncludeOnLine
->HashOffset
);
1370 Result
.Loc
.uri
= URIMainFile
;
1371 Results
.References
.push_back(std::move(Result
));
1376 ReferencesResult
findReferences(ParsedAST
&AST
, Position Pos
, uint32_t Limit
,
1377 const SymbolIndex
*Index
, bool AddContext
) {
1378 ReferencesResult Results
;
1379 const SourceManager
&SM
= AST
.getSourceManager();
1380 auto MainFilePath
= AST
.tuPath();
1381 auto URIMainFile
= URIForFile::canonicalize(MainFilePath
, MainFilePath
);
1382 auto CurLoc
= sourceLocationInMainFile(SM
, Pos
);
1384 llvm::consumeError(CurLoc
.takeError());
1388 const auto IncludeReferences
=
1389 maybeFindIncludeReferences(AST
, Pos
, URIMainFile
);
1390 if (IncludeReferences
)
1391 return *IncludeReferences
;
1393 llvm::DenseSet
<SymbolID
> IDsToQuery
, OverriddenMethods
;
1395 const auto *IdentifierAtCursor
=
1396 syntax::spelledIdentifierTouching(*CurLoc
, AST
.getTokens());
1397 std::optional
<DefinedMacro
> Macro
;
1398 if (IdentifierAtCursor
)
1399 Macro
= locateMacroAt(*IdentifierAtCursor
, AST
.getPreprocessor());
1401 // Handle references to macro.
1402 if (auto MacroSID
= getSymbolID(Macro
->Name
, Macro
->Info
, SM
)) {
1403 // Collect macro references from main file.
1404 const auto &IDToRefs
= AST
.getMacros().MacroRefs
;
1405 auto Refs
= IDToRefs
.find(MacroSID
);
1406 if (Refs
!= IDToRefs
.end()) {
1407 for (const auto &Ref
: Refs
->second
) {
1408 ReferencesResult::Reference Result
;
1409 Result
.Loc
.range
= Ref
.toRange(SM
);
1410 Result
.Loc
.uri
= URIMainFile
;
1411 if (Ref
.IsDefinition
) {
1412 Result
.Attributes
|= ReferencesResult::Declaration
;
1413 Result
.Attributes
|= ReferencesResult::Definition
;
1415 Results
.References
.push_back(std::move(Result
));
1418 IDsToQuery
.insert(MacroSID
);
1421 // Handle references to Decls.
1423 DeclRelationSet Relations
=
1424 DeclRelation::TemplatePattern
| DeclRelation::Alias
;
1425 std::vector
<const NamedDecl
*> Decls
=
1426 getDeclAtPosition(AST
, *CurLoc
, Relations
);
1427 llvm::SmallVector
<const NamedDecl
*> TargetsInMainFile
;
1428 for (const NamedDecl
*D
: Decls
) {
1429 auto ID
= getSymbolID(D
);
1432 TargetsInMainFile
.push_back(D
);
1433 // Not all symbols can be referenced from outside (e.g. function-locals).
1434 // TODO: we could skip TU-scoped symbols here (e.g. static functions) if
1435 // we know this file isn't a header. The details might be tricky.
1436 if (D
->getParentFunctionOrMethod())
1438 IDsToQuery
.insert(ID
);
1441 RelationsRequest OverriddenBy
;
1443 OverriddenBy
.Predicate
= RelationKind::OverriddenBy
;
1444 for (const NamedDecl
*ND
: Decls
) {
1445 // Special case: For virtual methods, report decl/def of overrides and
1446 // references to all overridden methods in complete type hierarchy.
1447 if (const auto *CMD
= llvm::dyn_cast
<CXXMethodDecl
>(ND
)) {
1448 if (CMD
->isVirtual()) {
1449 if (auto ID
= getSymbolID(CMD
))
1450 OverriddenBy
.Subjects
.insert(ID
);
1451 getOverriddenMethods(CMD
, OverriddenMethods
);
1457 // We traverse the AST to find references in the main file.
1458 auto MainFileRefs
= findRefs(TargetsInMainFile
, AST
, /*PerToken=*/false);
1459 // We may get multiple refs with the same location and different Roles, as
1460 // cross-reference is only interested in locations, we deduplicate them
1461 // by the location to avoid emitting duplicated locations.
1462 MainFileRefs
.erase(std::unique(MainFileRefs
.begin(), MainFileRefs
.end(),
1463 [](const ReferenceFinder::Reference
&L
,
1464 const ReferenceFinder::Reference
&R
) {
1465 return L
.SpelledTok
.location() ==
1466 R
.SpelledTok
.location();
1468 MainFileRefs
.end());
1469 for (const auto &Ref
: MainFileRefs
) {
1470 ReferencesResult::Reference Result
;
1471 Result
.Loc
.range
= Ref
.range(SM
);
1472 Result
.Loc
.uri
= URIMainFile
;
1474 Result
.Loc
.containerName
=
1475 stringifyContainerForMainFileRef(Ref
.Container
);
1476 if (Ref
.Role
& static_cast<unsigned>(index::SymbolRole::Declaration
))
1477 Result
.Attributes
|= ReferencesResult::Declaration
;
1478 // clang-index doesn't report definitions as declarations, but they are.
1479 if (Ref
.Role
& static_cast<unsigned>(index::SymbolRole::Definition
))
1480 Result
.Attributes
|=
1481 ReferencesResult::Definition
| ReferencesResult::Declaration
;
1482 Results
.References
.push_back(std::move(Result
));
1484 // Add decl/def of overridding methods.
1485 if (Index
&& !OverriddenBy
.Subjects
.empty()) {
1486 LookupRequest ContainerLookup
;
1487 // Different overrides will always be contained in different classes, so
1488 // we have a one-to-one mapping between SymbolID and index here, thus we
1489 // don't need to use std::vector as the map's value type.
1490 llvm::DenseMap
<SymbolID
, size_t> RefIndexForContainer
;
1491 Index
->relations(OverriddenBy
, [&](const SymbolID
&Subject
,
1492 const Symbol
&Object
) {
1493 if (Limit
&& Results
.References
.size() >= Limit
) {
1494 Results
.HasMore
= true;
1497 const auto LSPLocDecl
=
1498 toLSPLocation(Object
.CanonicalDeclaration
, MainFilePath
);
1499 const auto LSPLocDef
= toLSPLocation(Object
.Definition
, MainFilePath
);
1500 if (LSPLocDecl
&& LSPLocDecl
!= LSPLocDef
) {
1501 ReferencesResult::Reference Result
;
1502 Result
.Loc
= {std::move(*LSPLocDecl
), std::nullopt
};
1504 ReferencesResult::Declaration
| ReferencesResult::Override
;
1505 RefIndexForContainer
.insert({Object
.ID
, Results
.References
.size()});
1506 ContainerLookup
.IDs
.insert(Object
.ID
);
1507 Results
.References
.push_back(std::move(Result
));
1510 ReferencesResult::Reference Result
;
1511 Result
.Loc
= {std::move(*LSPLocDef
), std::nullopt
};
1512 Result
.Attributes
= ReferencesResult::Declaration
|
1513 ReferencesResult::Definition
|
1514 ReferencesResult::Override
;
1515 RefIndexForContainer
.insert({Object
.ID
, Results
.References
.size()});
1516 ContainerLookup
.IDs
.insert(Object
.ID
);
1517 Results
.References
.push_back(std::move(Result
));
1521 if (!ContainerLookup
.IDs
.empty() && AddContext
)
1522 Index
->lookup(ContainerLookup
, [&](const Symbol
&Container
) {
1523 auto Ref
= RefIndexForContainer
.find(Container
.ID
);
1524 assert(Ref
!= RefIndexForContainer
.end());
1525 Results
.References
[Ref
->getSecond()].Loc
.containerName
=
1526 Container
.Scope
.str() + Container
.Name
.str();
1530 // Now query the index for references from other files.
1531 auto QueryIndex
= [&](llvm::DenseSet
<SymbolID
> IDs
, bool AllowAttributes
,
1532 bool AllowMainFileSymbols
) {
1533 if (IDs
.empty() || !Index
|| Results
.HasMore
)
1536 Req
.IDs
= std::move(IDs
);
1538 if (Limit
< Results
.References
.size()) {
1539 // We've already filled our quota, still check the index to correctly
1540 // return the `HasMore` info.
1543 // Query index only for the remaining size.
1544 Req
.Limit
= Limit
- Results
.References
.size();
1547 LookupRequest ContainerLookup
;
1548 llvm::DenseMap
<SymbolID
, std::vector
<size_t>> RefIndicesForContainer
;
1549 Results
.HasMore
|= Index
->refs(Req
, [&](const Ref
&R
) {
1550 auto LSPLoc
= toLSPLocation(R
.Location
, MainFilePath
);
1551 // Avoid indexed results for the main file - the AST is authoritative.
1553 (!AllowMainFileSymbols
&& LSPLoc
->uri
.file() == MainFilePath
))
1555 ReferencesResult::Reference Result
;
1556 Result
.Loc
= {std::move(*LSPLoc
), std::nullopt
};
1557 if (AllowAttributes
) {
1558 if ((R
.Kind
& RefKind::Declaration
) == RefKind::Declaration
)
1559 Result
.Attributes
|= ReferencesResult::Declaration
;
1560 // FIXME: our index should definitely store def | decl separately!
1561 if ((R
.Kind
& RefKind::Definition
) == RefKind::Definition
)
1562 Result
.Attributes
|=
1563 ReferencesResult::Declaration
| ReferencesResult::Definition
;
1566 SymbolID Container
= R
.Container
;
1567 ContainerLookup
.IDs
.insert(Container
);
1568 RefIndicesForContainer
[Container
].push_back(Results
.References
.size());
1570 Results
.References
.push_back(std::move(Result
));
1573 if (!ContainerLookup
.IDs
.empty() && AddContext
)
1574 Index
->lookup(ContainerLookup
, [&](const Symbol
&Container
) {
1575 auto Ref
= RefIndicesForContainer
.find(Container
.ID
);
1576 assert(Ref
!= RefIndicesForContainer
.end());
1577 auto ContainerName
= Container
.Scope
.str() + Container
.Name
.str();
1578 for (auto I
: Ref
->getSecond()) {
1579 Results
.References
[I
].Loc
.containerName
= ContainerName
;
1583 QueryIndex(std::move(IDsToQuery
), /*AllowAttributes=*/true,
1584 /*AllowMainFileSymbols=*/false);
1585 // For a virtual method: Occurrences of BaseMethod should be treated as refs
1586 // and not as decl/def. Allow symbols from main file since AST does not report
1588 QueryIndex(std::move(OverriddenMethods
), /*AllowAttributes=*/false,
1589 /*AllowMainFileSymbols=*/true);
1593 std::vector
<SymbolDetails
> getSymbolInfo(ParsedAST
&AST
, Position Pos
) {
1594 const SourceManager
&SM
= AST
.getSourceManager();
1595 auto CurLoc
= sourceLocationInMainFile(SM
, Pos
);
1597 llvm::consumeError(CurLoc
.takeError());
1600 auto MainFilePath
= AST
.tuPath();
1601 std::vector
<SymbolDetails
> Results
;
1603 // We also want the targets of using-decls, so we include
1604 // DeclRelation::Underlying.
1605 DeclRelationSet Relations
= DeclRelation::TemplatePattern
|
1606 DeclRelation::Alias
| DeclRelation::Underlying
;
1607 for (const NamedDecl
*D
: getDeclAtPosition(AST
, *CurLoc
, Relations
)) {
1608 D
= getPreferredDecl(D
);
1610 SymbolDetails NewSymbol
;
1611 std::string QName
= printQualifiedName(*D
);
1612 auto SplitQName
= splitQualifiedName(QName
);
1613 NewSymbol
.containerName
= std::string(SplitQName
.first
);
1614 NewSymbol
.name
= std::string(SplitQName
.second
);
1616 if (NewSymbol
.containerName
.empty()) {
1617 if (const auto *ParentND
=
1618 dyn_cast_or_null
<NamedDecl
>(D
->getDeclContext()))
1619 NewSymbol
.containerName
= printQualifiedName(*ParentND
);
1621 llvm::SmallString
<32> USR
;
1622 if (!index::generateUSRForDecl(D
, USR
)) {
1623 NewSymbol
.USR
= std::string(USR
);
1624 NewSymbol
.ID
= SymbolID(NewSymbol
.USR
);
1626 if (const NamedDecl
*Def
= getDefinition(D
))
1627 NewSymbol
.definitionRange
= makeLocation(
1628 AST
.getASTContext(), nameLocation(*Def
, SM
), MainFilePath
);
1629 NewSymbol
.declarationRange
=
1630 makeLocation(AST
.getASTContext(), nameLocation(*D
, SM
), MainFilePath
);
1632 Results
.push_back(std::move(NewSymbol
));
1635 const auto *IdentifierAtCursor
=
1636 syntax::spelledIdentifierTouching(*CurLoc
, AST
.getTokens());
1637 if (!IdentifierAtCursor
)
1640 if (auto M
= locateMacroAt(*IdentifierAtCursor
, AST
.getPreprocessor())) {
1641 SymbolDetails NewMacro
;
1642 NewMacro
.name
= std::string(M
->Name
);
1643 llvm::SmallString
<32> USR
;
1644 if (!index::generateUSRForMacro(NewMacro
.name
, M
->Info
->getDefinitionLoc(),
1646 NewMacro
.USR
= std::string(USR
);
1647 NewMacro
.ID
= SymbolID(NewMacro
.USR
);
1649 Results
.push_back(std::move(NewMacro
));
1655 llvm::raw_ostream
&operator<<(llvm::raw_ostream
&OS
, const LocatedSymbol
&S
) {
1656 OS
<< S
.Name
<< ": " << S
.PreferredDeclaration
;
1658 OS
<< " def=" << *S
.Definition
;
1662 llvm::raw_ostream
&operator<<(llvm::raw_ostream
&OS
,
1663 const ReferencesResult::Reference
&R
) {
1665 if (R
.Attributes
& ReferencesResult::Declaration
)
1667 if (R
.Attributes
& ReferencesResult::Definition
)
1669 if (R
.Attributes
& ReferencesResult::Override
)
1670 OS
<< " [override]";
1674 template <typename HierarchyItem
>
1675 static std::optional
<HierarchyItem
>
1676 declToHierarchyItem(const NamedDecl
&ND
, llvm::StringRef TUPath
) {
1677 ASTContext
&Ctx
= ND
.getASTContext();
1678 auto &SM
= Ctx
.getSourceManager();
1679 SourceLocation NameLoc
= nameLocation(ND
, Ctx
.getSourceManager());
1680 SourceLocation BeginLoc
= SM
.getFileLoc(ND
.getBeginLoc());
1681 SourceLocation EndLoc
= SM
.getFileLoc(ND
.getEndLoc());
1682 const auto DeclRange
=
1683 toHalfOpenFileRange(SM
, Ctx
.getLangOpts(), {BeginLoc
, EndLoc
});
1685 return std::nullopt
;
1686 const auto FE
= SM
.getFileEntryRefForID(SM
.getFileID(NameLoc
));
1688 return std::nullopt
;
1689 auto FilePath
= getCanonicalPath(*FE
, SM
.getFileManager());
1691 return std::nullopt
; // Not useful without a uri.
1693 Position NameBegin
= sourceLocToPosition(SM
, NameLoc
);
1694 Position NameEnd
= sourceLocToPosition(
1695 SM
, Lexer::getLocForEndOfToken(NameLoc
, 0, SM
, Ctx
.getLangOpts()));
1697 index::SymbolInfo SymInfo
= index::getSymbolInfo(&ND
);
1698 // FIXME: This is not classifying constructors, destructors and operators
1700 SymbolKind SK
= indexSymbolKindToSymbolKind(SymInfo
.Kind
);
1703 HI
.name
= printName(Ctx
, ND
);
1705 HI
.range
= Range
{sourceLocToPosition(SM
, DeclRange
->getBegin()),
1706 sourceLocToPosition(SM
, DeclRange
->getEnd())};
1707 HI
.selectionRange
= Range
{NameBegin
, NameEnd
};
1708 if (!HI
.range
.contains(HI
.selectionRange
)) {
1709 // 'selectionRange' must be contained in 'range', so in cases where clang
1710 // reports unrelated ranges we need to reconcile somehow.
1711 HI
.range
= HI
.selectionRange
;
1714 HI
.uri
= URIForFile::canonicalize(*FilePath
, TUPath
);
1719 static std::optional
<TypeHierarchyItem
>
1720 declToTypeHierarchyItem(const NamedDecl
&ND
, llvm::StringRef TUPath
) {
1721 auto Result
= declToHierarchyItem
<TypeHierarchyItem
>(ND
, TUPath
);
1723 Result
->deprecated
= ND
.isDeprecated();
1724 // Compute the SymbolID and store it in the 'data' field.
1725 // This allows typeHierarchy/resolve to be used to
1726 // resolve children of items returned in a previous request
1728 Result
->data
.symbolID
= getSymbolID(&ND
);
1733 static std::optional
<CallHierarchyItem
>
1734 declToCallHierarchyItem(const NamedDecl
&ND
, llvm::StringRef TUPath
) {
1735 auto Result
= declToHierarchyItem
<CallHierarchyItem
>(ND
, TUPath
);
1738 if (ND
.isDeprecated())
1739 Result
->tags
.push_back(SymbolTag::Deprecated
);
1740 if (auto ID
= getSymbolID(&ND
))
1741 Result
->data
= ID
.str();
1745 template <typename HierarchyItem
>
1746 static std::optional
<HierarchyItem
> symbolToHierarchyItem(const Symbol
&S
,
1748 auto Loc
= symbolToLocation(S
, TUPath
);
1750 elog("Failed to convert symbol to hierarchy item: {0}", Loc
.takeError());
1751 return std::nullopt
;
1754 HI
.name
= std::string(S
.Name
);
1755 HI
.kind
= indexSymbolKindToSymbolKind(S
.SymInfo
.Kind
);
1756 HI
.selectionRange
= Loc
->range
;
1757 // FIXME: Populate 'range' correctly
1758 // (https://github.com/clangd/clangd/issues/59).
1759 HI
.range
= HI
.selectionRange
;
1765 static std::optional
<TypeHierarchyItem
>
1766 symbolToTypeHierarchyItem(const Symbol
&S
, PathRef TUPath
) {
1767 auto Result
= symbolToHierarchyItem
<TypeHierarchyItem
>(S
, TUPath
);
1769 Result
->deprecated
= (S
.Flags
& Symbol::Deprecated
);
1770 Result
->data
.symbolID
= S
.ID
;
1775 static std::optional
<CallHierarchyItem
>
1776 symbolToCallHierarchyItem(const Symbol
&S
, PathRef TUPath
) {
1777 auto Result
= symbolToHierarchyItem
<CallHierarchyItem
>(S
, TUPath
);
1780 Result
->data
= S
.ID
.str();
1781 if (S
.Flags
& Symbol::Deprecated
)
1782 Result
->tags
.push_back(SymbolTag::Deprecated
);
1786 static void fillSubTypes(const SymbolID
&ID
,
1787 std::vector
<TypeHierarchyItem
> &SubTypes
,
1788 const SymbolIndex
*Index
, int Levels
, PathRef TUPath
) {
1789 RelationsRequest Req
;
1790 Req
.Subjects
.insert(ID
);
1791 Req
.Predicate
= RelationKind::BaseOf
;
1792 Index
->relations(Req
, [&](const SymbolID
&Subject
, const Symbol
&Object
) {
1793 if (std::optional
<TypeHierarchyItem
> ChildSym
=
1794 symbolToTypeHierarchyItem(Object
, TUPath
)) {
1796 ChildSym
->children
.emplace();
1797 fillSubTypes(Object
.ID
, *ChildSym
->children
, Index
, Levels
- 1, TUPath
);
1799 SubTypes
.emplace_back(std::move(*ChildSym
));
1804 using RecursionProtectionSet
= llvm::SmallSet
<const CXXRecordDecl
*, 4>;
1806 // Extracts parents from AST and populates the type hierarchy item.
1807 static void fillSuperTypes(const CXXRecordDecl
&CXXRD
, llvm::StringRef TUPath
,
1808 TypeHierarchyItem
&Item
,
1809 RecursionProtectionSet
&RPSet
) {
1810 Item
.parents
.emplace();
1811 Item
.data
.parents
.emplace();
1812 // typeParents() will replace dependent template specializations
1813 // with their class template, so to avoid infinite recursion for
1814 // certain types of hierarchies, keep the templates encountered
1815 // along the parent chain in a set, and stop the recursion if one
1816 // starts to repeat.
1817 auto *Pattern
= CXXRD
.getDescribedTemplate() ? &CXXRD
: nullptr;
1819 if (!RPSet
.insert(Pattern
).second
) {
1824 for (const CXXRecordDecl
*ParentDecl
: typeParents(&CXXRD
)) {
1825 if (std::optional
<TypeHierarchyItem
> ParentSym
=
1826 declToTypeHierarchyItem(*ParentDecl
, TUPath
)) {
1827 fillSuperTypes(*ParentDecl
, TUPath
, *ParentSym
, RPSet
);
1828 Item
.data
.parents
->emplace_back(ParentSym
->data
);
1829 Item
.parents
->emplace_back(std::move(*ParentSym
));
1834 RPSet
.erase(Pattern
);
1838 std::vector
<const CXXRecordDecl
*> findRecordTypeAt(ParsedAST
&AST
,
1840 auto RecordFromNode
= [&AST
](const SelectionTree::Node
*N
) {
1841 std::vector
<const CXXRecordDecl
*> Records
;
1845 // Note: explicitReferenceTargets() will search for both template
1846 // instantiations and template patterns, and prefer the former if available
1847 // (generally, one will be available for non-dependent specializations of a
1849 auto Decls
= explicitReferenceTargets(N
->ASTNode
, DeclRelation::Underlying
,
1850 AST
.getHeuristicResolver());
1851 for (const NamedDecl
*D
: Decls
) {
1853 if (const VarDecl
*VD
= dyn_cast
<VarDecl
>(D
)) {
1854 // If this is a variable, use the type of the variable.
1855 if (const auto *RD
= VD
->getType().getTypePtr()->getAsCXXRecordDecl())
1856 Records
.push_back(RD
);
1860 if (const CXXMethodDecl
*Method
= dyn_cast
<CXXMethodDecl
>(D
)) {
1861 // If this is a method, use the type of the class.
1862 Records
.push_back(Method
->getParent());
1866 // We don't handle FieldDecl because it's not clear what behaviour
1867 // the user would expect: the enclosing class type (as with a
1868 // method), or the field's type (as with a variable).
1870 if (auto *RD
= dyn_cast
<CXXRecordDecl
>(D
))
1871 Records
.push_back(RD
);
1876 const SourceManager
&SM
= AST
.getSourceManager();
1877 std::vector
<const CXXRecordDecl
*> Result
;
1878 auto Offset
= positionToOffset(SM
.getBufferData(SM
.getMainFileID()), Pos
);
1880 llvm::consumeError(Offset
.takeError());
1883 SelectionTree::createEach(AST
.getASTContext(), AST
.getTokens(), *Offset
,
1884 *Offset
, [&](SelectionTree ST
) {
1885 Result
= RecordFromNode(ST
.commonAncestor());
1886 return !Result
.empty();
1891 // Return the type most associated with an AST node.
1892 // This isn't precisely defined: we want "go to type" to do something useful.
1893 static QualType
typeForNode(const SelectionTree::Node
*N
) {
1894 // If we're looking at a namespace qualifier, walk up to what it's qualifying.
1895 // (If we're pointing at a *class* inside a NNS, N will be a TypeLoc).
1896 while (N
&& N
->ASTNode
.get
<NestedNameSpecifierLoc
>())
1901 // If we're pointing at a type => return it.
1902 if (const TypeLoc
*TL
= N
->ASTNode
.get
<TypeLoc
>()) {
1903 if (llvm::isa
<DeducedType
>(TL
->getTypePtr()))
1904 if (auto Deduced
= getDeducedType(
1905 N
->getDeclContext().getParentASTContext(), TL
->getBeginLoc()))
1907 // Exception: an alias => underlying type.
1908 if (llvm::isa
<TypedefType
>(TL
->getTypePtr()))
1909 return TL
->getTypePtr()->getLocallyUnqualifiedSingleStepDesugaredType();
1910 return TL
->getType();
1913 // Constructor initializers => the type of thing being initialized.
1914 if (const auto *CCI
= N
->ASTNode
.get
<CXXCtorInitializer
>()) {
1915 if (const FieldDecl
*FD
= CCI
->getAnyMember())
1916 return FD
->getType();
1917 if (const Type
*Base
= CCI
->getBaseClass())
1918 return QualType(Base
, 0);
1921 // Base specifier => the base type.
1922 if (const auto *CBS
= N
->ASTNode
.get
<CXXBaseSpecifier
>())
1923 return CBS
->getType();
1925 if (const Decl
*D
= N
->ASTNode
.get
<Decl
>()) {
1926 struct Visitor
: ConstDeclVisitor
<Visitor
, QualType
> {
1927 QualType
VisitValueDecl(const ValueDecl
*D
) { return D
->getType(); }
1928 // Declaration of a type => that type.
1929 QualType
VisitTypeDecl(const TypeDecl
*D
) {
1930 return QualType(D
->getTypeForDecl(), 0);
1932 // Exception: alias declaration => the underlying type, not the alias.
1933 QualType
VisitTypedefNameDecl(const TypedefNameDecl
*D
) {
1934 return D
->getUnderlyingType();
1936 // Look inside templates.
1937 QualType
VisitTemplateDecl(const TemplateDecl
*D
) {
1938 return Visit(D
->getTemplatedDecl());
1944 if (const Stmt
*S
= N
->ASTNode
.get
<Stmt
>()) {
1945 struct Visitor
: ConstStmtVisitor
<Visitor
, QualType
> {
1946 // Null-safe version of visit simplifies recursive calls below.
1947 QualType
type(const Stmt
*S
) { return S
? Visit(S
) : QualType(); }
1949 // In general, expressions => type of expression.
1950 QualType
VisitExpr(const Expr
*S
) {
1951 return S
->IgnoreImplicitAsWritten()->getType();
1953 QualType
VisitMemberExpr(const MemberExpr
*S
) {
1954 // The `foo` in `s.foo()` pretends not to have a real type!
1955 if (S
->getType()->isSpecificBuiltinType(BuiltinType::BoundMember
))
1956 return Expr::findBoundMemberType(S
);
1957 return VisitExpr(S
);
1959 // Exceptions for void expressions that operate on a type in some way.
1960 QualType
VisitCXXDeleteExpr(const CXXDeleteExpr
*S
) {
1961 return S
->getDestroyedType();
1963 QualType
VisitCXXPseudoDestructorExpr(const CXXPseudoDestructorExpr
*S
) {
1964 return S
->getDestroyedType();
1966 QualType
VisitCXXThrowExpr(const CXXThrowExpr
*S
) {
1967 return S
->getSubExpr()->getType();
1969 QualType
VisitCoyieldExpr(const CoyieldExpr
*S
) {
1970 return type(S
->getOperand());
1972 // Treat a designated initializer like a reference to the field.
1973 QualType
VisitDesignatedInitExpr(const DesignatedInitExpr
*S
) {
1974 // In .foo.bar we want to jump to bar's type, so find *last* field.
1975 for (auto &D
: llvm::reverse(S
->designators()))
1976 if (D
.isFieldDesignator())
1977 if (const auto *FD
= D
.getFieldDecl())
1978 return FD
->getType();
1982 // Control flow statements that operate on data: use the data type.
1983 QualType
VisitSwitchStmt(const SwitchStmt
*S
) {
1984 return type(S
->getCond());
1986 QualType
VisitWhileStmt(const WhileStmt
*S
) { return type(S
->getCond()); }
1987 QualType
VisitDoStmt(const DoStmt
*S
) { return type(S
->getCond()); }
1988 QualType
VisitIfStmt(const IfStmt
*S
) { return type(S
->getCond()); }
1989 QualType
VisitCaseStmt(const CaseStmt
*S
) { return type(S
->getLHS()); }
1990 QualType
VisitCXXForRangeStmt(const CXXForRangeStmt
*S
) {
1991 return S
->getLoopVariable()->getType();
1993 QualType
VisitReturnStmt(const ReturnStmt
*S
) {
1994 return type(S
->getRetValue());
1996 QualType
VisitCoreturnStmt(const CoreturnStmt
*S
) {
1997 return type(S
->getOperand());
1999 QualType
VisitCXXCatchStmt(const CXXCatchStmt
*S
) {
2000 return S
->getCaughtType();
2002 QualType
VisitObjCAtThrowStmt(const ObjCAtThrowStmt
*S
) {
2003 return type(S
->getThrowExpr());
2005 QualType
VisitObjCAtCatchStmt(const ObjCAtCatchStmt
*S
) {
2006 return S
->getCatchParamDecl() ? S
->getCatchParamDecl()->getType()
2016 // Given a type targeted by the cursor, return one or more types that are more interesting
2018 static void unwrapFindType(
2019 QualType T
, const HeuristicResolver
* H
, llvm::SmallVector
<QualType
>& Out
) {
2023 // If there's a specific type alias, point at that rather than unwrapping.
2024 if (const auto* TDT
= T
->getAs
<TypedefType
>())
2025 return Out
.push_back(QualType(TDT
, 0));
2027 // Pointers etc => pointee type.
2028 if (const auto *PT
= T
->getAs
<PointerType
>())
2029 return unwrapFindType(PT
->getPointeeType(), H
, Out
);
2030 if (const auto *RT
= T
->getAs
<ReferenceType
>())
2031 return unwrapFindType(RT
->getPointeeType(), H
, Out
);
2032 if (const auto *AT
= T
->getAsArrayTypeUnsafe())
2033 return unwrapFindType(AT
->getElementType(), H
, Out
);
2035 // Function type => return type.
2036 if (auto *FT
= T
->getAs
<FunctionType
>())
2037 return unwrapFindType(FT
->getReturnType(), H
, Out
);
2038 if (auto *CRD
= T
->getAsCXXRecordDecl()) {
2039 if (CRD
->isLambda())
2040 return unwrapFindType(CRD
->getLambdaCallOperator()->getReturnType(), H
,
2042 // FIXME: more cases we'd prefer the return type of the call operator?
2043 // std::function etc?
2046 // For smart pointer types, add the underlying type
2048 if (const auto* PointeeType
= H
->getPointeeType(T
.getNonReferenceType().getTypePtr())) {
2049 unwrapFindType(QualType(PointeeType
, 0), H
, Out
);
2050 return Out
.push_back(T
);
2053 return Out
.push_back(T
);
2056 // Convenience overload, to allow calling this without the out-parameter
2057 static llvm::SmallVector
<QualType
> unwrapFindType(
2058 QualType T
, const HeuristicResolver
* H
) {
2059 llvm::SmallVector
<QualType
> Result
;
2060 unwrapFindType(T
, H
, Result
);
2064 std::vector
<LocatedSymbol
> findType(ParsedAST
&AST
, Position Pos
,
2065 const SymbolIndex
*Index
) {
2066 const SourceManager
&SM
= AST
.getSourceManager();
2067 auto Offset
= positionToOffset(SM
.getBufferData(SM
.getMainFileID()), Pos
);
2068 std::vector
<LocatedSymbol
> Result
;
2070 elog("failed to convert position {0} for findTypes: {1}", Pos
,
2071 Offset
.takeError());
2074 // The general scheme is: position -> AST node -> type -> declaration.
2075 auto SymbolsFromNode
=
2076 [&](const SelectionTree::Node
*N
) -> std::vector
<LocatedSymbol
> {
2077 std::vector
<LocatedSymbol
> LocatedSymbols
;
2079 // NOTE: unwrapFindType might return duplicates for something like
2080 // unique_ptr<unique_ptr<T>>. Let's *not* remove them, because it gives you some
2081 // information about the type you may have not known before
2082 // (since unique_ptr<unique_ptr<T>> != unique_ptr<T>).
2083 for (const QualType
& Type
: unwrapFindType(typeForNode(N
), AST
.getHeuristicResolver()))
2084 llvm::copy(locateSymbolForType(AST
, Type
, Index
),
2085 std::back_inserter(LocatedSymbols
));
2087 return LocatedSymbols
;
2089 SelectionTree::createEach(AST
.getASTContext(), AST
.getTokens(), *Offset
,
2090 *Offset
, [&](SelectionTree ST
) {
2091 Result
= SymbolsFromNode(ST
.commonAncestor());
2092 return !Result
.empty();
2097 std::vector
<const CXXRecordDecl
*> typeParents(const CXXRecordDecl
*CXXRD
) {
2098 std::vector
<const CXXRecordDecl
*> Result
;
2100 // If this is an invalid instantiation, instantiation of the bases
2101 // may not have succeeded, so fall back to the template pattern.
2102 if (auto *CTSD
= dyn_cast
<ClassTemplateSpecializationDecl
>(CXXRD
)) {
2103 if (CTSD
->isInvalidDecl())
2104 CXXRD
= CTSD
->getSpecializedTemplate()->getTemplatedDecl();
2107 // Can't query bases without a definition.
2108 if (!CXXRD
->hasDefinition())
2111 for (auto Base
: CXXRD
->bases()) {
2112 const CXXRecordDecl
*ParentDecl
= nullptr;
2114 const Type
*Type
= Base
.getType().getTypePtr();
2115 if (const RecordType
*RT
= Type
->getAs
<RecordType
>()) {
2116 ParentDecl
= RT
->getAsCXXRecordDecl();
2120 // Handle a dependent base such as "Base<T>" by using the primary
2122 if (const TemplateSpecializationType
*TS
=
2123 Type
->getAs
<TemplateSpecializationType
>()) {
2124 TemplateName TN
= TS
->getTemplateName();
2125 if (TemplateDecl
*TD
= TN
.getAsTemplateDecl()) {
2126 ParentDecl
= dyn_cast
<CXXRecordDecl
>(TD
->getTemplatedDecl());
2132 Result
.push_back(ParentDecl
);
2138 std::vector
<TypeHierarchyItem
>
2139 getTypeHierarchy(ParsedAST
&AST
, Position Pos
, int ResolveLevels
,
2140 TypeHierarchyDirection Direction
, const SymbolIndex
*Index
,
2142 std::vector
<TypeHierarchyItem
> Results
;
2143 for (const auto *CXXRD
: findRecordTypeAt(AST
, Pos
)) {
2145 bool WantChildren
= Direction
== TypeHierarchyDirection::Children
||
2146 Direction
== TypeHierarchyDirection::Both
;
2148 // If we're looking for children, we're doing the lookup in the index.
2149 // The index does not store relationships between implicit
2150 // specializations, so if we have one, use the template pattern instead.
2151 // Note that this needs to be done before the declToTypeHierarchyItem(),
2152 // otherwise the type hierarchy item would misleadingly contain the
2153 // specialization parameters, while the children would involve classes
2154 // that derive from other specializations of the template.
2156 if (auto *CTSD
= dyn_cast
<ClassTemplateSpecializationDecl
>(CXXRD
))
2157 CXXRD
= CTSD
->getTemplateInstantiationPattern();
2160 std::optional
<TypeHierarchyItem
> Result
=
2161 declToTypeHierarchyItem(*CXXRD
, AST
.tuPath());
2165 RecursionProtectionSet RPSet
;
2166 fillSuperTypes(*CXXRD
, AST
.tuPath(), *Result
, RPSet
);
2168 if (WantChildren
&& ResolveLevels
> 0) {
2169 Result
->children
.emplace();
2172 if (auto ID
= getSymbolID(CXXRD
))
2173 fillSubTypes(ID
, *Result
->children
, Index
, ResolveLevels
, TUPath
);
2176 Results
.emplace_back(std::move(*Result
));
2182 std::optional
<std::vector
<TypeHierarchyItem
>>
2183 superTypes(const TypeHierarchyItem
&Item
, const SymbolIndex
*Index
) {
2184 std::vector
<TypeHierarchyItem
> Results
;
2185 if (!Item
.data
.parents
)
2186 return std::nullopt
;
2187 if (Item
.data
.parents
->empty())
2190 llvm::DenseMap
<SymbolID
, const TypeHierarchyItem::ResolveParams
*> IDToData
;
2191 for (const auto &Parent
: *Item
.data
.parents
) {
2192 Req
.IDs
.insert(Parent
.symbolID
);
2193 IDToData
[Parent
.symbolID
] = &Parent
;
2195 Index
->lookup(Req
, [&Item
, &Results
, &IDToData
](const Symbol
&S
) {
2196 if (auto THI
= symbolToTypeHierarchyItem(S
, Item
.uri
.file())) {
2197 THI
->data
= *IDToData
.lookup(S
.ID
);
2198 Results
.emplace_back(std::move(*THI
));
2204 std::vector
<TypeHierarchyItem
> subTypes(const TypeHierarchyItem
&Item
,
2205 const SymbolIndex
*Index
) {
2206 std::vector
<TypeHierarchyItem
> Results
;
2207 fillSubTypes(Item
.data
.symbolID
, Results
, Index
, 1, Item
.uri
.file());
2208 for (auto &ChildSym
: Results
)
2209 ChildSym
.data
.parents
= {Item
.data
};
2213 void resolveTypeHierarchy(TypeHierarchyItem
&Item
, int ResolveLevels
,
2214 TypeHierarchyDirection Direction
,
2215 const SymbolIndex
*Index
) {
2216 // We only support typeHierarchy/resolve for children, because for parents
2217 // we ignore ResolveLevels and return all levels of parents eagerly.
2218 if (!Index
|| Direction
== TypeHierarchyDirection::Parents
||
2222 Item
.children
.emplace();
2223 fillSubTypes(Item
.data
.symbolID
, *Item
.children
, Index
, ResolveLevels
,
2227 std::vector
<CallHierarchyItem
>
2228 prepareCallHierarchy(ParsedAST
&AST
, Position Pos
, PathRef TUPath
) {
2229 std::vector
<CallHierarchyItem
> Result
;
2230 const auto &SM
= AST
.getSourceManager();
2231 auto Loc
= sourceLocationInMainFile(SM
, Pos
);
2233 elog("prepareCallHierarchy failed to convert position to source location: "
2238 for (const NamedDecl
*Decl
: getDeclAtPosition(AST
, *Loc
, {})) {
2239 if (!(isa
<DeclContext
>(Decl
) &&
2240 cast
<DeclContext
>(Decl
)->isFunctionOrMethod()) &&
2241 Decl
->getKind() != Decl::Kind::FunctionTemplate
)
2243 if (auto CHI
= declToCallHierarchyItem(*Decl
, AST
.tuPath()))
2244 Result
.emplace_back(std::move(*CHI
));
2249 std::vector
<CallHierarchyIncomingCall
>
2250 incomingCalls(const CallHierarchyItem
&Item
, const SymbolIndex
*Index
) {
2251 std::vector
<CallHierarchyIncomingCall
> Results
;
2252 if (!Index
|| Item
.data
.empty())
2254 auto ID
= SymbolID::fromStr(Item
.data
);
2256 elog("incomingCalls failed to find symbol: {0}", ID
.takeError());
2259 // In this function, we find incoming calls based on the index only.
2260 // In principle, the AST could have more up-to-date information about
2261 // occurrences within the current file. However, going from a SymbolID
2262 // to an AST node isn't cheap, particularly when the declaration isn't
2263 // in the main file.
2264 // FIXME: Consider also using AST information when feasible.
2265 RefsRequest Request
;
2266 Request
.IDs
.insert(*ID
);
2267 Request
.WantContainer
= true;
2268 // We could restrict more specifically to calls by introducing a new RefKind,
2269 // but non-call references (such as address-of-function) can still be
2270 // interesting as they can indicate indirect calls.
2271 Request
.Filter
= RefKind::Reference
;
2272 // Initially store the ranges in a map keyed by SymbolID of the caller.
2273 // This allows us to group different calls with the same caller
2274 // into the same CallHierarchyIncomingCall.
2275 llvm::DenseMap
<SymbolID
, std::vector
<Range
>> CallsIn
;
2276 // We can populate the ranges based on a refs request only. As we do so, we
2277 // also accumulate the container IDs into a lookup request.
2278 LookupRequest ContainerLookup
;
2279 Index
->refs(Request
, [&](const Ref
&R
) {
2280 auto Loc
= indexToLSPLocation(R
.Location
, Item
.uri
.file());
2282 elog("incomingCalls failed to convert location: {0}", Loc
.takeError());
2285 auto It
= CallsIn
.try_emplace(R
.Container
, std::vector
<Range
>{}).first
;
2286 It
->second
.push_back(Loc
->range
);
2288 ContainerLookup
.IDs
.insert(R
.Container
);
2290 // Perform the lookup request and combine its results with CallsIn to
2291 // get complete CallHierarchyIncomingCall objects.
2292 Index
->lookup(ContainerLookup
, [&](const Symbol
&Caller
) {
2293 auto It
= CallsIn
.find(Caller
.ID
);
2294 assert(It
!= CallsIn
.end());
2295 if (auto CHI
= symbolToCallHierarchyItem(Caller
, Item
.uri
.file()))
2297 CallHierarchyIncomingCall
{std::move(*CHI
), std::move(It
->second
)});
2299 // Sort results by name of container.
2300 llvm::sort(Results
, [](const CallHierarchyIncomingCall
&A
,
2301 const CallHierarchyIncomingCall
&B
) {
2302 return A
.from
.name
< B
.from
.name
;
2307 llvm::DenseSet
<const Decl
*> getNonLocalDeclRefs(ParsedAST
&AST
,
2308 const FunctionDecl
*FD
) {
2311 llvm::DenseSet
<const Decl
*> DeclRefs
;
2312 findExplicitReferences(
2314 [&](ReferenceLoc Ref
) {
2315 for (const Decl
*D
: Ref
.Targets
) {
2316 if (!index::isFunctionLocalSymbol(D
) && !D
->isTemplateParameter() &&
2321 AST
.getHeuristicResolver());
2325 } // namespace clangd
2326 } // namespace clang