blob: 1e632dce9c6591a45353b396447081b06957196e [file] [log] [blame]
Kirill Bobyrev8e35f1e2018-08-14 16:03:32 +00001//===--- CodeComplete.cpp ----------------------------------------*- C++-*-===//
Sam McCall98775c52017-12-04 13:49:59 +00002//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
Kirill Bobyrev8e35f1e2018-08-14 16:03:32 +00008//===----------------------------------------------------------------------===//
Sam McCall98775c52017-12-04 13:49:59 +00009//
Sam McCallc18c2802018-06-15 11:06:29 +000010// Code completion has several moving parts:
11// - AST-based completions are provided using the completion hooks in Sema.
12// - external completions are retrieved from the index (using hints from Sema)
13// - the two sources overlap, and must be merged and overloads bundled
14// - results must be scored and ranked (see Quality.h) before rendering
Sam McCall98775c52017-12-04 13:49:59 +000015//
Sam McCallc18c2802018-06-15 11:06:29 +000016// Signature help works in a similar way as code completion, but it is simpler:
17// it's purely AST-based, and there are few candidates.
Sam McCall98775c52017-12-04 13:49:59 +000018//
Kirill Bobyrev8e35f1e2018-08-14 16:03:32 +000019//===----------------------------------------------------------------------===//
Sam McCall98775c52017-12-04 13:49:59 +000020
21#include "CodeComplete.h"
Eric Liu7ad16962018-06-22 10:46:59 +000022#include "AST.h"
Eric Liu63696e12017-12-20 17:24:31 +000023#include "CodeCompletionStrings.h"
Sam McCall98775c52017-12-04 13:49:59 +000024#include "Compiler.h"
Kadir Cetinkaya2f84d912018-08-08 08:59:29 +000025#include "Diagnostics.h"
Sam McCall3f0243f2018-07-03 08:09:29 +000026#include "FileDistance.h"
Sam McCall84652cc2018-01-12 16:16:09 +000027#include "FuzzyMatch.h"
Eric Liu63f419a2018-05-15 15:29:32 +000028#include "Headers.h"
Eric Liu6f648df2017-12-19 16:50:37 +000029#include "Logger.h"
Sam McCallc5707b62018-05-15 17:43:27 +000030#include "Quality.h"
Eric Liuc5105f92018-02-16 14:15:55 +000031#include "SourceCode.h"
Eric Liu25d74e92018-08-24 11:23:56 +000032#include "TUScheduler.h"
Sam McCall2b780162018-01-30 17:20:54 +000033#include "Trace.h"
Eric Liu63f419a2018-05-15 15:29:32 +000034#include "URI.h"
Eric Liu6f648df2017-12-19 16:50:37 +000035#include "index/Index.h"
Marc-Andre Laperle945b5a32018-06-05 14:01:40 +000036#include "clang/ASTMatchers/ASTMatchFinder.h"
Ilya Biryukovc22d3442018-05-16 12:32:49 +000037#include "clang/Basic/LangOptions.h"
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +000038#include "clang/Basic/SourceLocation.h"
Eric Liuc5105f92018-02-16 14:15:55 +000039#include "clang/Format/Format.h"
Sam McCall98775c52017-12-04 13:49:59 +000040#include "clang/Frontend/CompilerInstance.h"
41#include "clang/Frontend/FrontendActions.h"
Sam McCall545a20d2018-01-19 14:34:02 +000042#include "clang/Index/USRGeneration.h"
Sam McCall98775c52017-12-04 13:49:59 +000043#include "clang/Sema/CodeCompleteConsumer.h"
44#include "clang/Sema/Sema.h"
Eric Liuc5105f92018-02-16 14:15:55 +000045#include "clang/Tooling/Core/Replacement.h"
Eric Liu25d74e92018-08-24 11:23:56 +000046#include "llvm/ADT/Optional.h"
Eric Liu83f63e42018-09-03 10:18:21 +000047#include "llvm/ADT/SmallVector.h"
Eric Liu25d74e92018-08-24 11:23:56 +000048#include "llvm/Support/Error.h"
Haojian Wuba28e9a2018-01-10 14:44:34 +000049#include "llvm/Support/Format.h"
Eric Liubc25ef72018-07-05 08:29:33 +000050#include "llvm/Support/FormatVariadic.h"
Sam McCall2161ec72018-07-05 06:20:41 +000051#include "llvm/Support/ScopedPrinter.h"
Eric Liu83f63e42018-09-03 10:18:21 +000052#include <algorithm>
53#include <iterator>
Sam McCall98775c52017-12-04 13:49:59 +000054#include <queue>
55
Sam McCallc5707b62018-05-15 17:43:27 +000056// We log detailed candidate here if you run with -debug-only=codecomplete.
Sam McCall27c979a2018-06-29 14:47:57 +000057#define DEBUG_TYPE "CodeComplete"
Sam McCallc5707b62018-05-15 17:43:27 +000058
Sam McCall98775c52017-12-04 13:49:59 +000059namespace clang {
60namespace clangd {
61namespace {
62
Eric Liu6f648df2017-12-19 16:50:37 +000063CompletionItemKind toCompletionItemKind(index::SymbolKind Kind) {
64 using SK = index::SymbolKind;
65 switch (Kind) {
66 case SK::Unknown:
67 return CompletionItemKind::Missing;
68 case SK::Module:
69 case SK::Namespace:
70 case SK::NamespaceAlias:
71 return CompletionItemKind::Module;
72 case SK::Macro:
73 return CompletionItemKind::Text;
74 case SK::Enum:
75 return CompletionItemKind::Enum;
76 // FIXME(ioeric): use LSP struct instead of class when it is suppoted in the
77 // protocol.
78 case SK::Struct:
79 case SK::Class:
80 case SK::Protocol:
81 case SK::Extension:
82 case SK::Union:
83 return CompletionItemKind::Class;
84 // FIXME(ioeric): figure out whether reference is the right type for aliases.
85 case SK::TypeAlias:
86 case SK::Using:
87 return CompletionItemKind::Reference;
88 case SK::Function:
89 // FIXME(ioeric): this should probably be an operator. This should be fixed
90 // when `Operator` is support type in the protocol.
91 case SK::ConversionFunction:
92 return CompletionItemKind::Function;
93 case SK::Variable:
94 case SK::Parameter:
95 return CompletionItemKind::Variable;
96 case SK::Field:
97 return CompletionItemKind::Field;
98 // FIXME(ioeric): use LSP enum constant when it is supported in the protocol.
99 case SK::EnumConstant:
100 return CompletionItemKind::Value;
101 case SK::InstanceMethod:
102 case SK::ClassMethod:
103 case SK::StaticMethod:
104 case SK::Destructor:
105 return CompletionItemKind::Method;
106 case SK::InstanceProperty:
107 case SK::ClassProperty:
108 case SK::StaticProperty:
109 return CompletionItemKind::Property;
110 case SK::Constructor:
111 return CompletionItemKind::Constructor;
112 }
113 llvm_unreachable("Unhandled clang::index::SymbolKind.");
114}
115
Sam McCall83305892018-06-08 21:17:19 +0000116CompletionItemKind
117toCompletionItemKind(CodeCompletionResult::ResultKind ResKind,
118 const NamedDecl *Decl) {
119 if (Decl)
120 return toCompletionItemKind(index::getSymbolInfo(Decl).Kind);
121 switch (ResKind) {
122 case CodeCompletionResult::RK_Declaration:
123 llvm_unreachable("RK_Declaration without Decl");
124 case CodeCompletionResult::RK_Keyword:
125 return CompletionItemKind::Keyword;
126 case CodeCompletionResult::RK_Macro:
127 return CompletionItemKind::Text; // unfortunately, there's no 'Macro'
128 // completion items in LSP.
129 case CodeCompletionResult::RK_Pattern:
130 return CompletionItemKind::Snippet;
131 }
132 llvm_unreachable("Unhandled CodeCompletionResult::ResultKind.");
133}
134
Sam McCall98775c52017-12-04 13:49:59 +0000135/// Get the optional chunk as a string. This function is possibly recursive.
136///
137/// The parameter info for each parameter is appended to the Parameters.
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000138std::string getOptionalParameters(const CodeCompletionString &CCS,
139 std::vector<ParameterInformation> &Parameters,
140 SignatureQualitySignals &Signal) {
Sam McCall98775c52017-12-04 13:49:59 +0000141 std::string Result;
142 for (const auto &Chunk : CCS) {
143 switch (Chunk.Kind) {
144 case CodeCompletionString::CK_Optional:
145 assert(Chunk.Optional &&
146 "Expected the optional code completion string to be non-null.");
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000147 Result += getOptionalParameters(*Chunk.Optional, Parameters, Signal);
Sam McCall98775c52017-12-04 13:49:59 +0000148 break;
149 case CodeCompletionString::CK_VerticalSpace:
150 break;
151 case CodeCompletionString::CK_Placeholder:
152 // A string that acts as a placeholder for, e.g., a function call
153 // argument.
154 // Intentional fallthrough here.
155 case CodeCompletionString::CK_CurrentParameter: {
156 // A piece of text that describes the parameter that corresponds to
157 // the code-completion location within a function call, message send,
158 // macro invocation, etc.
159 Result += Chunk.Text;
160 ParameterInformation Info;
161 Info.label = Chunk.Text;
162 Parameters.push_back(std::move(Info));
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000163 Signal.ContainsActiveParameter = true;
164 Signal.NumberOfOptionalParameters++;
Sam McCall98775c52017-12-04 13:49:59 +0000165 break;
166 }
167 default:
168 Result += Chunk.Text;
169 break;
170 }
171 }
172 return Result;
173}
174
Eric Liu63f419a2018-05-15 15:29:32 +0000175/// Creates a `HeaderFile` from \p Header which can be either a URI or a literal
176/// include.
177static llvm::Expected<HeaderFile> toHeaderFile(StringRef Header,
178 llvm::StringRef HintPath) {
179 if (isLiteralInclude(Header))
180 return HeaderFile{Header.str(), /*Verbatim=*/true};
181 auto U = URI::parse(Header);
182 if (!U)
183 return U.takeError();
184
185 auto IncludePath = URI::includeSpelling(*U);
186 if (!IncludePath)
187 return IncludePath.takeError();
188 if (!IncludePath->empty())
189 return HeaderFile{std::move(*IncludePath), /*Verbatim=*/true};
190
191 auto Resolved = URI::resolve(*U, HintPath);
192 if (!Resolved)
193 return Resolved.takeError();
194 return HeaderFile{std::move(*Resolved), /*Verbatim=*/false};
195}
196
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000197// First traverses all method definitions inside current class/struct/union
198// definition. Than traverses base classes to find virtual methods that haven't
199// been overriden within current context.
200// FIXME(kadircet): Currently we cannot see declarations below completion point.
201// It is because Sema gets run only upto completion point. Need to find a
202// solution to run it for the whole class/struct/union definition.
203static std::vector<CodeCompletionResult>
204getNonOverridenMethodCompletionResults(const DeclContext *DC, Sema *S) {
205 const auto *CR = llvm::dyn_cast<CXXRecordDecl>(DC);
206 // If not inside a class/struct/union return empty.
207 if (!CR)
208 return {};
209 // First store overrides within current class.
210 // These are stored by name to make querying fast in the later step.
211 llvm::StringMap<std::vector<FunctionDecl *>> Overrides;
212 for (auto *Method : CR->methods()) {
Ilya Biryukov5a79d1e2018-09-03 15:25:27 +0000213 if (!Method->isVirtual() || !Method->getIdentifier())
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000214 continue;
215 Overrides[Method->getName()].push_back(Method);
216 }
217
218 std::vector<CodeCompletionResult> Results;
219 for (const auto &Base : CR->bases()) {
220 const auto *BR = Base.getType().getTypePtr()->getAsCXXRecordDecl();
221 if (!BR)
222 continue;
223 for (auto *Method : BR->methods()) {
Ilya Biryukov5a79d1e2018-09-03 15:25:27 +0000224 if (!Method->isVirtual() || !Method->getIdentifier())
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000225 continue;
226 const auto it = Overrides.find(Method->getName());
227 bool IsOverriden = false;
228 if (it != Overrides.end()) {
229 for (auto *MD : it->second) {
230 // If the method in current body is not an overload of this virtual
Ilya Biryukov5a79d1e2018-09-03 15:25:27 +0000231 // function, then it overrides this one.
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000232 if (!S->IsOverload(MD, Method, false)) {
233 IsOverriden = true;
234 break;
235 }
236 }
237 }
238 if (!IsOverriden)
239 Results.emplace_back(Method, 0);
240 }
241 }
242
243 return Results;
244}
245
Sam McCall545a20d2018-01-19 14:34:02 +0000246/// A code completion result, in clang-native form.
Sam McCall98775c52017-12-04 13:49:59 +0000247/// It may be promoted to a CompletionItem if it's among the top-ranked results.
248struct CompletionCandidate {
Sam McCall545a20d2018-01-19 14:34:02 +0000249 llvm::StringRef Name; // Used for filtering and sorting.
250 // We may have a result from Sema, from the index, or both.
251 const CodeCompletionResult *SemaResult = nullptr;
252 const Symbol *IndexResult = nullptr;
Eric Liu83f63e42018-09-03 10:18:21 +0000253 llvm::SmallVector<StringRef, 1> RankedIncludeHeaders;
Sam McCall98775c52017-12-04 13:49:59 +0000254
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000255 // States whether this item is an override suggestion.
256 bool IsOverride = false;
257
Sam McCallc18c2802018-06-15 11:06:29 +0000258 // Returns a token identifying the overload set this is part of.
259 // 0 indicates it's not part of any overload set.
260 size_t overloadSet() const {
261 SmallString<256> Scratch;
262 if (IndexResult) {
263 switch (IndexResult->SymInfo.Kind) {
264 case index::SymbolKind::ClassMethod:
265 case index::SymbolKind::InstanceMethod:
266 case index::SymbolKind::StaticMethod:
267 assert(false && "Don't expect members from index in code completion");
268 // fall through
269 case index::SymbolKind::Function:
270 // We can't group overloads together that need different #includes.
271 // This could break #include insertion.
272 return hash_combine(
273 (IndexResult->Scope + IndexResult->Name).toStringRef(Scratch),
Eric Liu83f63e42018-09-03 10:18:21 +0000274 headerToInsertIfAllowed().getValueOr(""));
Sam McCallc18c2802018-06-15 11:06:29 +0000275 default:
276 return 0;
277 }
278 }
279 assert(SemaResult);
280 // We need to make sure we're consistent with the IndexResult case!
281 const NamedDecl *D = SemaResult->Declaration;
282 if (!D || !D->isFunctionOrFunctionTemplate())
283 return 0;
284 {
285 llvm::raw_svector_ostream OS(Scratch);
286 D->printQualifiedName(OS);
287 }
Eric Liu83f63e42018-09-03 10:18:21 +0000288 return hash_combine(Scratch, headerToInsertIfAllowed().getValueOr(""));
Sam McCallc18c2802018-06-15 11:06:29 +0000289 }
290
Eric Liu83f63e42018-09-03 10:18:21 +0000291 // The best header to include if include insertion is allowed.
292 llvm::Optional<llvm::StringRef> headerToInsertIfAllowed() const {
293 if (RankedIncludeHeaders.empty())
Sam McCallc18c2802018-06-15 11:06:29 +0000294 return llvm::None;
295 if (SemaResult && SemaResult->Declaration) {
296 // Avoid inserting new #include if the declaration is found in the current
297 // file e.g. the symbol is forward declared.
298 auto &SM = SemaResult->Declaration->getASTContext().getSourceManager();
299 for (const Decl *RD : SemaResult->Declaration->redecls())
Stephen Kelly43465bf2018-08-09 22:42:26 +0000300 if (SM.isInMainFile(SM.getExpansionLoc(RD->getBeginLoc())))
Sam McCallc18c2802018-06-15 11:06:29 +0000301 return llvm::None;
302 }
Eric Liu83f63e42018-09-03 10:18:21 +0000303 return RankedIncludeHeaders[0];
Sam McCallc18c2802018-06-15 11:06:29 +0000304 }
305
Sam McCallc18c2802018-06-15 11:06:29 +0000306 using Bundle = llvm::SmallVector<CompletionCandidate, 4>;
Sam McCall98775c52017-12-04 13:49:59 +0000307};
Sam McCallc18c2802018-06-15 11:06:29 +0000308using ScoredBundle =
Sam McCall27c979a2018-06-29 14:47:57 +0000309 std::pair<CompletionCandidate::Bundle, CodeCompletion::Scores>;
Sam McCallc18c2802018-06-15 11:06:29 +0000310struct ScoredBundleGreater {
311 bool operator()(const ScoredBundle &L, const ScoredBundle &R) {
Sam McCall27c979a2018-06-29 14:47:57 +0000312 if (L.second.Total != R.second.Total)
313 return L.second.Total > R.second.Total;
Sam McCallc18c2802018-06-15 11:06:29 +0000314 return L.first.front().Name <
315 R.first.front().Name; // Earlier name is better.
316 }
317};
Sam McCall98775c52017-12-04 13:49:59 +0000318
Sam McCall27c979a2018-06-29 14:47:57 +0000319// Assembles a code completion out of a bundle of >=1 completion candidates.
320// Many of the expensive strings are only computed at this point, once we know
321// the candidate bundle is going to be returned.
322//
323// Many fields are the same for all candidates in a bundle (e.g. name), and are
324// computed from the first candidate, in the constructor.
325// Others vary per candidate, so add() must be called for remaining candidates.
326struct CodeCompletionBuilder {
327 CodeCompletionBuilder(ASTContext &ASTCtx, const CompletionCandidate &C,
328 CodeCompletionString *SemaCCS,
329 const IncludeInserter &Includes, StringRef FileName,
330 const CodeCompleteOptions &Opts)
Kadir Cetinkaya516fcda2018-08-23 12:19:39 +0000331 : ASTCtx(ASTCtx), ExtractDocumentation(Opts.IncludeComments),
332 EnableFunctionArgSnippets(Opts.EnableFunctionArgSnippets) {
Sam McCall27c979a2018-06-29 14:47:57 +0000333 add(C, SemaCCS);
334 if (C.SemaResult) {
Sam McCall4e5742a2018-07-06 11:50:49 +0000335 Completion.Origin |= SymbolOrigin::AST;
Sam McCall27c979a2018-06-29 14:47:57 +0000336 Completion.Name = llvm::StringRef(SemaCCS->getTypedText());
Eric Liuf433c2d2018-07-18 15:31:14 +0000337 if (Completion.Scope.empty()) {
338 if ((C.SemaResult->Kind == CodeCompletionResult::RK_Declaration) ||
339 (C.SemaResult->Kind == CodeCompletionResult::RK_Pattern))
Sam McCall27c979a2018-06-29 14:47:57 +0000340 if (const auto *D = C.SemaResult->getDeclaration())
341 if (const auto *ND = llvm::dyn_cast<NamedDecl>(D))
342 Completion.Scope =
343 splitQualifiedName(printQualifiedName(*ND)).first;
Eric Liuf433c2d2018-07-18 15:31:14 +0000344 }
Sam McCall27c979a2018-06-29 14:47:57 +0000345 Completion.Kind =
346 toCompletionItemKind(C.SemaResult->Kind, C.SemaResult->Declaration);
Kadir Cetinkaya2f84d912018-08-08 08:59:29 +0000347 for (const auto &FixIt : C.SemaResult->FixIts) {
348 Completion.FixIts.push_back(
349 toTextEdit(FixIt, ASTCtx.getSourceManager(), ASTCtx.getLangOpts()));
350 }
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +0000351 std::sort(Completion.FixIts.begin(), Completion.FixIts.end(),
352 [](const TextEdit &X, const TextEdit &Y) {
353 return std::tie(X.range.start.line, X.range.start.character) <
354 std::tie(Y.range.start.line, Y.range.start.character);
355 });
Eric Liu6df66002018-09-06 18:52:26 +0000356 Completion.Deprecated |=
357 (C.SemaResult->Availability == CXAvailability_Deprecated);
Sam McCall27c979a2018-06-29 14:47:57 +0000358 }
359 if (C.IndexResult) {
Sam McCall4e5742a2018-07-06 11:50:49 +0000360 Completion.Origin |= C.IndexResult->Origin;
Sam McCall27c979a2018-06-29 14:47:57 +0000361 if (Completion.Scope.empty())
362 Completion.Scope = C.IndexResult->Scope;
363 if (Completion.Kind == CompletionItemKind::Missing)
364 Completion.Kind = toCompletionItemKind(C.IndexResult->SymInfo.Kind);
365 if (Completion.Name.empty())
366 Completion.Name = C.IndexResult->Name;
Eric Liu6df66002018-09-06 18:52:26 +0000367 Completion.Deprecated |= (C.IndexResult->Flags & Symbol::Deprecated);
Sam McCall27c979a2018-06-29 14:47:57 +0000368 }
Eric Liu83f63e42018-09-03 10:18:21 +0000369
370 // Turn absolute path into a literal string that can be #included.
371 auto Inserted =
372 [&](StringRef Header) -> Expected<std::pair<std::string, bool>> {
373 auto ResolvedDeclaring =
374 toHeaderFile(C.IndexResult->CanonicalDeclaration.FileURI, FileName);
375 if (!ResolvedDeclaring)
376 return ResolvedDeclaring.takeError();
377 auto ResolvedInserted = toHeaderFile(Header, FileName);
378 if (!ResolvedInserted)
379 return ResolvedInserted.takeError();
380 return std::make_pair(
381 Includes.calculateIncludePath(*ResolvedDeclaring, *ResolvedInserted),
382 Includes.shouldInsertInclude(*ResolvedDeclaring, *ResolvedInserted));
383 };
384 bool ShouldInsert = C.headerToInsertIfAllowed().hasValue();
385 // Calculate include paths and edits for all possible headers.
386 for (const auto &Inc : C.RankedIncludeHeaders) {
387 if (auto ToInclude = Inserted(Inc)) {
388 CodeCompletion::IncludeCandidate Include;
389 Include.Header = ToInclude->first;
390 if (ToInclude->second && ShouldInsert)
391 Include.Insertion = Includes.insert(ToInclude->first);
392 Completion.Includes.push_back(std::move(Include));
Sam McCall27c979a2018-06-29 14:47:57 +0000393 } else
Sam McCallbed58852018-07-11 10:35:11 +0000394 log("Failed to generate include insertion edits for adding header "
Sam McCall27c979a2018-06-29 14:47:57 +0000395 "(FileURI='{0}', IncludeHeader='{1}') into {2}",
Eric Liu83f63e42018-09-03 10:18:21 +0000396 C.IndexResult->CanonicalDeclaration.FileURI, Inc, FileName);
Sam McCall27c979a2018-06-29 14:47:57 +0000397 }
Eric Liu83f63e42018-09-03 10:18:21 +0000398 // Prefer includes that do not need edits (i.e. already exist).
399 std::stable_partition(Completion.Includes.begin(),
400 Completion.Includes.end(),
401 [](const CodeCompletion::IncludeCandidate &I) {
402 return !I.Insertion.hasValue();
403 });
Sam McCall27c979a2018-06-29 14:47:57 +0000404 }
405
406 void add(const CompletionCandidate &C, CodeCompletionString *SemaCCS) {
407 assert(bool(C.SemaResult) == bool(SemaCCS));
408 Bundled.emplace_back();
409 BundledEntry &S = Bundled.back();
410 if (C.SemaResult) {
411 getSignature(*SemaCCS, &S.Signature, &S.SnippetSuffix,
412 &Completion.RequiredQualifier);
413 S.ReturnType = getReturnType(*SemaCCS);
414 } else if (C.IndexResult) {
415 S.Signature = C.IndexResult->Signature;
416 S.SnippetSuffix = C.IndexResult->CompletionSnippetSuffix;
Sam McCall2e5700f2018-08-31 13:55:01 +0000417 S.ReturnType = C.IndexResult->ReturnType;
Sam McCall27c979a2018-06-29 14:47:57 +0000418 }
419 if (ExtractDocumentation && Completion.Documentation.empty()) {
Sam McCall2e5700f2018-08-31 13:55:01 +0000420 if (C.IndexResult)
421 Completion.Documentation = C.IndexResult->Documentation;
Sam McCall27c979a2018-06-29 14:47:57 +0000422 else if (C.SemaResult)
423 Completion.Documentation = getDocComment(ASTCtx, *C.SemaResult,
424 /*CommentsFromHeader=*/false);
425 }
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000426 if (C.IsOverride)
427 S.OverrideSuffix = true;
Sam McCall27c979a2018-06-29 14:47:57 +0000428 }
429
430 CodeCompletion build() {
431 Completion.ReturnType = summarizeReturnType();
432 Completion.Signature = summarizeSignature();
433 Completion.SnippetSuffix = summarizeSnippet();
434 Completion.BundleSize = Bundled.size();
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000435 if (summarizeOverride()) {
436 Completion.Name = Completion.ReturnType + ' ' +
437 std::move(Completion.Name) +
438 std::move(Completion.Signature) + " override";
439 Completion.Signature.clear();
440 }
Sam McCall27c979a2018-06-29 14:47:57 +0000441 return std::move(Completion);
442 }
443
444private:
445 struct BundledEntry {
446 std::string SnippetSuffix;
447 std::string Signature;
448 std::string ReturnType;
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000449 bool OverrideSuffix;
Sam McCall27c979a2018-06-29 14:47:57 +0000450 };
451
452 // If all BundledEntrys have the same value for a property, return it.
453 template <std::string BundledEntry::*Member>
454 const std::string *onlyValue() const {
455 auto B = Bundled.begin(), E = Bundled.end();
456 for (auto I = B + 1; I != E; ++I)
457 if (I->*Member != B->*Member)
458 return nullptr;
459 return &(B->*Member);
460 }
461
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000462 template <bool BundledEntry::*Member> const bool *onlyValue() const {
463 auto B = Bundled.begin(), E = Bundled.end();
464 for (auto I = B + 1; I != E; ++I)
465 if (I->*Member != B->*Member)
466 return nullptr;
467 return &(B->*Member);
468 }
469
Sam McCall27c979a2018-06-29 14:47:57 +0000470 std::string summarizeReturnType() const {
471 if (auto *RT = onlyValue<&BundledEntry::ReturnType>())
472 return *RT;
473 return "";
474 }
475
476 std::string summarizeSnippet() const {
Kadir Cetinkaya516fcda2018-08-23 12:19:39 +0000477 auto *Snippet = onlyValue<&BundledEntry::SnippetSuffix>();
478 if (!Snippet)
479 // All bundles are function calls.
480 return "($0)";
481 if (!Snippet->empty() && !EnableFunctionArgSnippets &&
482 ((Completion.Kind == CompletionItemKind::Function) ||
483 (Completion.Kind == CompletionItemKind::Method)) &&
484 (Snippet->front() == '(') && (Snippet->back() == ')'))
485 // Check whether function has any parameters or not.
486 return Snippet->size() > 2 ? "($0)" : "()";
487 return *Snippet;
Sam McCall27c979a2018-06-29 14:47:57 +0000488 }
489
490 std::string summarizeSignature() const {
491 if (auto *Signature = onlyValue<&BundledEntry::Signature>())
492 return *Signature;
493 // All bundles are function calls.
494 return "(…)";
495 }
496
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +0000497 bool summarizeOverride() const {
498 if (auto *OverrideSuffix = onlyValue<&BundledEntry::OverrideSuffix>())
499 return *OverrideSuffix;
500 return false;
501 }
502
Sam McCall27c979a2018-06-29 14:47:57 +0000503 ASTContext &ASTCtx;
504 CodeCompletion Completion;
505 SmallVector<BundledEntry, 1> Bundled;
506 bool ExtractDocumentation;
Kadir Cetinkaya516fcda2018-08-23 12:19:39 +0000507 bool EnableFunctionArgSnippets;
Sam McCall27c979a2018-06-29 14:47:57 +0000508};
509
Sam McCall545a20d2018-01-19 14:34:02 +0000510// Determine the symbol ID for a Sema code completion result, if possible.
Eric Liud25f1212018-09-06 09:59:37 +0000511llvm::Optional<SymbolID> getSymbolID(const CodeCompletionResult &R,
512 const SourceManager &SM) {
Sam McCall545a20d2018-01-19 14:34:02 +0000513 switch (R.Kind) {
514 case CodeCompletionResult::RK_Declaration:
515 case CodeCompletionResult::RK_Pattern: {
Haojian Wuc6ddb462018-08-07 08:57:52 +0000516 return clang::clangd::getSymbolID(R.Declaration);
Sam McCall545a20d2018-01-19 14:34:02 +0000517 }
518 case CodeCompletionResult::RK_Macro:
Eric Liud25f1212018-09-06 09:59:37 +0000519 return clang::clangd::getSymbolID(*R.Macro, R.MacroDefInfo, SM);
Sam McCall545a20d2018-01-19 14:34:02 +0000520 case CodeCompletionResult::RK_Keyword:
521 return None;
522 }
523 llvm_unreachable("unknown CodeCompletionResult kind");
524}
525
Haojian Wu061c73e2018-01-23 11:37:26 +0000526// Scopes of the paritial identifier we're trying to complete.
527// It is used when we query the index for more completion results.
Eric Liu6f648df2017-12-19 16:50:37 +0000528struct SpecifiedScope {
Haojian Wu061c73e2018-01-23 11:37:26 +0000529 // The scopes we should look in, determined by Sema.
530 //
531 // If the qualifier was fully resolved, we look for completions in these
532 // scopes; if there is an unresolved part of the qualifier, it should be
533 // resolved within these scopes.
534 //
535 // Examples of qualified completion:
536 //
537 // "::vec" => {""}
538 // "using namespace std; ::vec^" => {"", "std::"}
539 // "namespace ns {using namespace std;} ns::^" => {"ns::", "std::"}
540 // "std::vec^" => {""} // "std" unresolved
541 //
542 // Examples of unqualified completion:
543 //
544 // "vec^" => {""}
545 // "using namespace std; vec^" => {"", "std::"}
546 // "using namespace std; namespace ns { vec^ }" => {"ns::", "std::", ""}
547 //
548 // "" for global namespace, "ns::" for normal namespace.
549 std::vector<std::string> AccessibleScopes;
550 // The full scope qualifier as typed by the user (without the leading "::").
551 // Set if the qualifier is not fully resolved by Sema.
552 llvm::Optional<std::string> UnresolvedQualifier;
Sam McCall545a20d2018-01-19 14:34:02 +0000553
Haojian Wu061c73e2018-01-23 11:37:26 +0000554 // Construct scopes being queried in indexes.
555 // This method format the scopes to match the index request representation.
556 std::vector<std::string> scopesForIndexQuery() {
557 std::vector<std::string> Results;
558 for (llvm::StringRef AS : AccessibleScopes) {
559 Results.push_back(AS);
560 if (UnresolvedQualifier)
561 Results.back() += *UnresolvedQualifier;
562 }
563 return Results;
Sam McCall545a20d2018-01-19 14:34:02 +0000564 }
Eric Liu6f648df2017-12-19 16:50:37 +0000565};
566
Haojian Wu061c73e2018-01-23 11:37:26 +0000567// Get all scopes that will be queried in indexes.
568std::vector<std::string> getQueryScopes(CodeCompletionContext &CCContext,
Kirill Bobyrev5a267ed2018-05-29 11:50:51 +0000569 const SourceManager &SM) {
570 auto GetAllAccessibleScopes = [](CodeCompletionContext &CCContext) {
Haojian Wu061c73e2018-01-23 11:37:26 +0000571 SpecifiedScope Info;
Kirill Bobyrev5a267ed2018-05-29 11:50:51 +0000572 for (auto *Context : CCContext.getVisitedContexts()) {
Haojian Wu061c73e2018-01-23 11:37:26 +0000573 if (isa<TranslationUnitDecl>(Context))
574 Info.AccessibleScopes.push_back(""); // global namespace
Kirill Bobyrev5a267ed2018-05-29 11:50:51 +0000575 else if (const auto *NS = dyn_cast<NamespaceDecl>(Context))
Haojian Wu061c73e2018-01-23 11:37:26 +0000576 Info.AccessibleScopes.push_back(NS->getQualifiedNameAsString() + "::");
577 }
578 return Info;
579 };
580
581 auto SS = CCContext.getCXXScopeSpecifier();
582
583 // Unqualified completion (e.g. "vec^").
584 if (!SS) {
585 // FIXME: Once we can insert namespace qualifiers and use the in-scope
586 // namespaces for scoring, search in all namespaces.
587 // FIXME: Capture scopes and use for scoring, for example,
588 // "using namespace std; namespace foo {v^}" =>
589 // foo::value > std::vector > boost::variant
590 return GetAllAccessibleScopes(CCContext).scopesForIndexQuery();
591 }
592
593 // Qualified completion ("std::vec^"), we have two cases depending on whether
594 // the qualifier can be resolved by Sema.
595 if ((*SS)->isValid()) { // Resolved qualifier.
Haojian Wu061c73e2018-01-23 11:37:26 +0000596 return GetAllAccessibleScopes(CCContext).scopesForIndexQuery();
597 }
598
599 // Unresolved qualifier.
600 // FIXME: When Sema can resolve part of a scope chain (e.g.
601 // "known::unknown::id"), we should expand the known part ("known::") rather
602 // than treating the whole thing as unknown.
603 SpecifiedScope Info;
604 Info.AccessibleScopes.push_back(""); // global namespace
605
606 Info.UnresolvedQualifier =
Kirill Bobyrev5a267ed2018-05-29 11:50:51 +0000607 Lexer::getSourceText(CharSourceRange::getCharRange((*SS)->getRange()), SM,
608 clang::LangOptions())
609 .ltrim("::");
Haojian Wu061c73e2018-01-23 11:37:26 +0000610 // Sema excludes the trailing "::".
611 if (!Info.UnresolvedQualifier->empty())
612 *Info.UnresolvedQualifier += "::";
613
614 return Info.scopesForIndexQuery();
615}
616
Eric Liu42abe412018-05-24 11:20:19 +0000617// Should we perform index-based completion in a context of the specified kind?
618// FIXME: consider allowing completion, but restricting the result types.
619bool contextAllowsIndex(enum CodeCompletionContext::Kind K) {
620 switch (K) {
621 case CodeCompletionContext::CCC_TopLevel:
622 case CodeCompletionContext::CCC_ObjCInterface:
623 case CodeCompletionContext::CCC_ObjCImplementation:
624 case CodeCompletionContext::CCC_ObjCIvarList:
625 case CodeCompletionContext::CCC_ClassStructUnion:
626 case CodeCompletionContext::CCC_Statement:
627 case CodeCompletionContext::CCC_Expression:
628 case CodeCompletionContext::CCC_ObjCMessageReceiver:
629 case CodeCompletionContext::CCC_EnumTag:
630 case CodeCompletionContext::CCC_UnionTag:
631 case CodeCompletionContext::CCC_ClassOrStructTag:
632 case CodeCompletionContext::CCC_ObjCProtocolName:
633 case CodeCompletionContext::CCC_Namespace:
634 case CodeCompletionContext::CCC_Type:
635 case CodeCompletionContext::CCC_Name: // FIXME: why does ns::^ give this?
636 case CodeCompletionContext::CCC_PotentiallyQualifiedName:
637 case CodeCompletionContext::CCC_ParenthesizedExpression:
638 case CodeCompletionContext::CCC_ObjCInterfaceName:
639 case CodeCompletionContext::CCC_ObjCCategoryName:
640 return true;
641 case CodeCompletionContext::CCC_Other: // Be conservative.
642 case CodeCompletionContext::CCC_OtherWithMacros:
643 case CodeCompletionContext::CCC_DotMemberAccess:
644 case CodeCompletionContext::CCC_ArrowMemberAccess:
645 case CodeCompletionContext::CCC_ObjCPropertyAccess:
646 case CodeCompletionContext::CCC_MacroName:
647 case CodeCompletionContext::CCC_MacroNameUse:
648 case CodeCompletionContext::CCC_PreprocessorExpression:
649 case CodeCompletionContext::CCC_PreprocessorDirective:
650 case CodeCompletionContext::CCC_NaturalLanguage:
651 case CodeCompletionContext::CCC_SelectorName:
652 case CodeCompletionContext::CCC_TypeQualifiers:
653 case CodeCompletionContext::CCC_ObjCInstanceMessage:
654 case CodeCompletionContext::CCC_ObjCClassMessage:
655 case CodeCompletionContext::CCC_Recovery:
656 return false;
657 }
658 llvm_unreachable("unknown code completion context");
659}
660
Sam McCall4caa8512018-06-07 12:49:17 +0000661// Some member calls are blacklisted because they're so rarely useful.
662static bool isBlacklistedMember(const NamedDecl &D) {
663 // Destructor completion is rarely useful, and works inconsistently.
664 // (s.^ completes ~string, but s.~st^ is an error).
665 if (D.getKind() == Decl::CXXDestructor)
666 return true;
667 // Injected name may be useful for A::foo(), but who writes A::A::foo()?
668 if (auto *R = dyn_cast_or_null<RecordDecl>(&D))
669 if (R->isInjectedClassName())
670 return true;
671 // Explicit calls to operators are also rare.
672 auto NameKind = D.getDeclName().getNameKind();
673 if (NameKind == DeclarationName::CXXOperatorName ||
674 NameKind == DeclarationName::CXXLiteralOperatorName ||
675 NameKind == DeclarationName::CXXConversionFunctionName)
676 return true;
677 return false;
678}
679
Sam McCall545a20d2018-01-19 14:34:02 +0000680// The CompletionRecorder captures Sema code-complete output, including context.
681// It filters out ignored results (but doesn't apply fuzzy-filtering yet).
682// It doesn't do scoring or conversion to CompletionItem yet, as we want to
683// merge with index results first.
Ilya Biryukovddf6a332018-03-02 12:28:27 +0000684// Generally the fields and methods of this object should only be used from
685// within the callback.
Sam McCall545a20d2018-01-19 14:34:02 +0000686struct CompletionRecorder : public CodeCompleteConsumer {
Ilya Biryukovddf6a332018-03-02 12:28:27 +0000687 CompletionRecorder(const CodeCompleteOptions &Opts,
Benjamin Kramerc36c09f2018-07-03 20:59:33 +0000688 llvm::unique_function<void()> ResultsCallback)
Sam McCall545a20d2018-01-19 14:34:02 +0000689 : CodeCompleteConsumer(Opts.getClangCompleteOpts(),
Sam McCall98775c52017-12-04 13:49:59 +0000690 /*OutputIsBinary=*/false),
Sam McCall545a20d2018-01-19 14:34:02 +0000691 CCContext(CodeCompletionContext::CCC_Other), Opts(Opts),
692 CCAllocator(std::make_shared<GlobalCodeCompletionAllocator>()),
Ilya Biryukovddf6a332018-03-02 12:28:27 +0000693 CCTUInfo(CCAllocator), ResultsCallback(std::move(ResultsCallback)) {
694 assert(this->ResultsCallback);
695 }
696
Sam McCall545a20d2018-01-19 14:34:02 +0000697 std::vector<CodeCompletionResult> Results;
698 CodeCompletionContext CCContext;
699 Sema *CCSema = nullptr; // Sema that created the results.
700 // FIXME: Sema is scary. Can we store ASTContext and Preprocessor, instead?
Sam McCall98775c52017-12-04 13:49:59 +0000701
Sam McCall545a20d2018-01-19 14:34:02 +0000702 void ProcessCodeCompleteResults(class Sema &S, CodeCompletionContext Context,
703 CodeCompletionResult *InResults,
Sam McCall98775c52017-12-04 13:49:59 +0000704 unsigned NumResults) override final {
Eric Liu485074f2018-07-11 13:15:31 +0000705 // Results from recovery mode are generally useless, and the callback after
706 // recovery (if any) is usually more interesting. To make sure we handle the
707 // future callback from sema, we just ignore all callbacks in recovery mode,
708 // as taking only results from recovery mode results in poor completion
709 // results.
710 // FIXME: in case there is no future sema completion callback after the
711 // recovery mode, we might still want to provide some results (e.g. trivial
712 // identifier-based completion).
713 if (Context.getKind() == CodeCompletionContext::CCC_Recovery) {
714 log("Code complete: Ignoring sema code complete callback with Recovery "
715 "context.");
716 return;
717 }
Eric Liu42abe412018-05-24 11:20:19 +0000718 // If a callback is called without any sema result and the context does not
719 // support index-based completion, we simply skip it to give way to
720 // potential future callbacks with results.
721 if (NumResults == 0 && !contextAllowsIndex(Context.getKind()))
722 return;
Ilya Biryukov94da7bd2018-03-16 15:23:44 +0000723 if (CCSema) {
Sam McCallbed58852018-07-11 10:35:11 +0000724 log("Multiple code complete callbacks (parser backtracked?). "
Ilya Biryukov94da7bd2018-03-16 15:23:44 +0000725 "Dropping results from context {0}, keeping results from {1}.",
Eric Liu42abe412018-05-24 11:20:19 +0000726 getCompletionKindString(Context.getKind()),
Sam McCallbed58852018-07-11 10:35:11 +0000727 getCompletionKindString(this->CCContext.getKind()));
Ilya Biryukov94da7bd2018-03-16 15:23:44 +0000728 return;
729 }
Sam McCall545a20d2018-01-19 14:34:02 +0000730 // Record the completion context.
Sam McCall545a20d2018-01-19 14:34:02 +0000731 CCSema = &S;
732 CCContext = Context;
Eric Liu6f648df2017-12-19 16:50:37 +0000733
Sam McCall545a20d2018-01-19 14:34:02 +0000734 // Retain the results we might want.
Sam McCall98775c52017-12-04 13:49:59 +0000735 for (unsigned I = 0; I < NumResults; ++I) {
Sam McCall545a20d2018-01-19 14:34:02 +0000736 auto &Result = InResults[I];
737 // Drop hidden items which cannot be found by lookup after completion.
738 // Exception: some items can be named by using a qualifier.
Ilya Biryukovf60bf342018-01-10 13:51:09 +0000739 if (Result.Hidden && (!Result.Qualifier || Result.QualifierIsInformative))
740 continue;
Sam McCall545a20d2018-01-19 14:34:02 +0000741 if (!Opts.IncludeIneligibleResults &&
Sam McCall98775c52017-12-04 13:49:59 +0000742 (Result.Availability == CXAvailability_NotAvailable ||
743 Result.Availability == CXAvailability_NotAccessible))
744 continue;
Sam McCall4caa8512018-06-07 12:49:17 +0000745 if (Result.Declaration &&
746 !Context.getBaseType().isNull() // is this a member-access context?
747 && isBlacklistedMember(*Result.Declaration))
Sam McCalld2a95922018-01-22 21:05:00 +0000748 continue;
Ilya Biryukov53d6d932018-03-06 16:45:21 +0000749 // We choose to never append '::' to completion results in clangd.
750 Result.StartsNestedNameSpecifier = false;
Sam McCall545a20d2018-01-19 14:34:02 +0000751 Results.push_back(Result);
Sam McCall98775c52017-12-04 13:49:59 +0000752 }
Ilya Biryukovddf6a332018-03-02 12:28:27 +0000753 ResultsCallback();
Sam McCall98775c52017-12-04 13:49:59 +0000754 }
755
Sam McCall545a20d2018-01-19 14:34:02 +0000756 CodeCompletionAllocator &getAllocator() override { return *CCAllocator; }
Sam McCall98775c52017-12-04 13:49:59 +0000757 CodeCompletionTUInfo &getCodeCompletionTUInfo() override { return CCTUInfo; }
758
Sam McCall545a20d2018-01-19 14:34:02 +0000759 // Returns the filtering/sorting name for Result, which must be from Results.
760 // Returned string is owned by this recorder (or the AST).
761 llvm::StringRef getName(const CodeCompletionResult &Result) {
Sam McCall98775c52017-12-04 13:49:59 +0000762 switch (Result.Kind) {
763 case CodeCompletionResult::RK_Declaration:
764 if (auto *ID = Result.Declaration->getIdentifier())
Sam McCall545a20d2018-01-19 14:34:02 +0000765 return ID->getName();
Sam McCall98775c52017-12-04 13:49:59 +0000766 break;
767 case CodeCompletionResult::RK_Keyword:
Sam McCall545a20d2018-01-19 14:34:02 +0000768 return Result.Keyword;
Sam McCall98775c52017-12-04 13:49:59 +0000769 case CodeCompletionResult::RK_Macro:
Sam McCall545a20d2018-01-19 14:34:02 +0000770 return Result.Macro->getName();
Sam McCall98775c52017-12-04 13:49:59 +0000771 case CodeCompletionResult::RK_Pattern:
Sam McCall545a20d2018-01-19 14:34:02 +0000772 return Result.Pattern->getTypedText();
Sam McCall98775c52017-12-04 13:49:59 +0000773 }
Ilya Biryukov43714502018-05-16 12:32:44 +0000774 auto *CCS = codeCompletionString(Result);
Sam McCall545a20d2018-01-19 14:34:02 +0000775 return CCS->getTypedText();
Sam McCall98775c52017-12-04 13:49:59 +0000776 }
777
Sam McCall545a20d2018-01-19 14:34:02 +0000778 // Build a CodeCompletion string for R, which must be from Results.
779 // The CCS will be owned by this recorder.
Ilya Biryukov43714502018-05-16 12:32:44 +0000780 CodeCompletionString *codeCompletionString(const CodeCompletionResult &R) {
Sam McCall545a20d2018-01-19 14:34:02 +0000781 // CodeCompletionResult doesn't seem to be const-correct. We own it, anyway.
782 return const_cast<CodeCompletionResult &>(R).CreateCodeCompletionString(
Ilya Biryukov43714502018-05-16 12:32:44 +0000783 *CCSema, CCContext, *CCAllocator, CCTUInfo,
784 /*IncludeBriefComments=*/false);
Sam McCall98775c52017-12-04 13:49:59 +0000785 }
786
Sam McCall545a20d2018-01-19 14:34:02 +0000787private:
788 CodeCompleteOptions Opts;
789 std::shared_ptr<GlobalCodeCompletionAllocator> CCAllocator;
Sam McCall98775c52017-12-04 13:49:59 +0000790 CodeCompletionTUInfo CCTUInfo;
Benjamin Kramerc36c09f2018-07-03 20:59:33 +0000791 llvm::unique_function<void()> ResultsCallback;
Sam McCall545a20d2018-01-19 14:34:02 +0000792};
793
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000794struct ScoredSignature {
795 // When set, requires documentation to be requested from the index with this
796 // ID.
797 llvm::Optional<SymbolID> IDForDoc;
798 SignatureInformation Signature;
799 SignatureQualitySignals Quality;
800};
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000801
Sam McCall98775c52017-12-04 13:49:59 +0000802class SignatureHelpCollector final : public CodeCompleteConsumer {
Sam McCall98775c52017-12-04 13:49:59 +0000803public:
804 SignatureHelpCollector(const clang::CodeCompleteOptions &CodeCompleteOpts,
Sam McCall046557b2018-09-03 16:37:59 +0000805 const SymbolIndex *Index, SignatureHelp &SigHelp)
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000806 : CodeCompleteConsumer(CodeCompleteOpts,
807 /*OutputIsBinary=*/false),
Sam McCall98775c52017-12-04 13:49:59 +0000808 SigHelp(SigHelp),
809 Allocator(std::make_shared<clang::GlobalCodeCompletionAllocator>()),
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000810 CCTUInfo(Allocator), Index(Index) {}
Sam McCall98775c52017-12-04 13:49:59 +0000811
812 void ProcessOverloadCandidates(Sema &S, unsigned CurrentArg,
813 OverloadCandidate *Candidates,
Ilya Biryukov43c292c2018-08-30 13:14:31 +0000814 unsigned NumCandidates,
815 SourceLocation OpenParLoc) override {
816 assert(!OpenParLoc.isInvalid());
817 SourceManager &SrcMgr = S.getSourceManager();
818 OpenParLoc = SrcMgr.getFileLoc(OpenParLoc);
819 if (SrcMgr.isInMainFile(OpenParLoc))
820 SigHelp.argListStart = sourceLocToPosition(SrcMgr, OpenParLoc);
821 else
822 elog("Location oustide main file in signature help: {0}",
823 OpenParLoc.printToString(SrcMgr));
824
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000825 std::vector<ScoredSignature> ScoredSignatures;
Sam McCall98775c52017-12-04 13:49:59 +0000826 SigHelp.signatures.reserve(NumCandidates);
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000827 ScoredSignatures.reserve(NumCandidates);
Sam McCall98775c52017-12-04 13:49:59 +0000828 // FIXME(rwols): How can we determine the "active overload candidate"?
829 // Right now the overloaded candidates seem to be provided in a "best fit"
830 // order, so I'm not too worried about this.
831 SigHelp.activeSignature = 0;
832 assert(CurrentArg <= (unsigned)std::numeric_limits<int>::max() &&
833 "too many arguments");
834 SigHelp.activeParameter = static_cast<int>(CurrentArg);
835 for (unsigned I = 0; I < NumCandidates; ++I) {
Ilya Biryukov8fd44bb2018-08-14 09:36:32 +0000836 OverloadCandidate Candidate = Candidates[I];
837 // We want to avoid showing instantiated signatures, because they may be
838 // long in some cases (e.g. when 'T' is substituted with 'std::string', we
839 // would get 'std::basic_string<char>').
840 if (auto *Func = Candidate.getFunction()) {
841 if (auto *Pattern = Func->getTemplateInstantiationPattern())
842 Candidate = OverloadCandidate(Pattern);
843 }
844
Sam McCall98775c52017-12-04 13:49:59 +0000845 const auto *CCS = Candidate.CreateSignatureString(
846 CurrentArg, S, *Allocator, CCTUInfo, true);
847 assert(CCS && "Expected the CodeCompletionString to be non-null");
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000848 ScoredSignatures.push_back(processOverloadCandidate(
Ilya Biryukov43714502018-05-16 12:32:44 +0000849 Candidate, *CCS,
Ilya Biryukov5f4a3512018-08-17 09:29:38 +0000850 Candidate.getFunction()
851 ? getDeclComment(S.getASTContext(), *Candidate.getFunction())
852 : ""));
Sam McCall98775c52017-12-04 13:49:59 +0000853 }
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000854
855 // Sema does not load the docs from the preamble, so we need to fetch extra
856 // docs from the index instead.
857 llvm::DenseMap<SymbolID, std::string> FetchedDocs;
858 if (Index) {
859 LookupRequest IndexRequest;
860 for (const auto &S : ScoredSignatures) {
861 if (!S.IDForDoc)
862 continue;
863 IndexRequest.IDs.insert(*S.IDForDoc);
864 }
865 Index->lookup(IndexRequest, [&](const Symbol &S) {
Sam McCall2e5700f2018-08-31 13:55:01 +0000866 if (!S.Documentation.empty())
867 FetchedDocs[S.ID] = S.Documentation;
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000868 });
869 log("SigHelp: requested docs for {0} symbols from the index, got {1} "
870 "symbols with non-empty docs in the response",
871 IndexRequest.IDs.size(), FetchedDocs.size());
872 }
873
874 std::sort(
875 ScoredSignatures.begin(), ScoredSignatures.end(),
876 [](const ScoredSignature &L, const ScoredSignature &R) {
877 // Ordering follows:
878 // - Less number of parameters is better.
879 // - Function is better than FunctionType which is better than
880 // Function Template.
881 // - High score is better.
882 // - Shorter signature is better.
883 // - Alphebatically smaller is better.
884 if (L.Quality.NumberOfParameters != R.Quality.NumberOfParameters)
885 return L.Quality.NumberOfParameters < R.Quality.NumberOfParameters;
886 if (L.Quality.NumberOfOptionalParameters !=
887 R.Quality.NumberOfOptionalParameters)
888 return L.Quality.NumberOfOptionalParameters <
889 R.Quality.NumberOfOptionalParameters;
890 if (L.Quality.Kind != R.Quality.Kind) {
891 using OC = CodeCompleteConsumer::OverloadCandidate;
892 switch (L.Quality.Kind) {
893 case OC::CK_Function:
894 return true;
895 case OC::CK_FunctionType:
896 return R.Quality.Kind != OC::CK_Function;
897 case OC::CK_FunctionTemplate:
898 return false;
899 }
900 llvm_unreachable("Unknown overload candidate type.");
901 }
902 if (L.Signature.label.size() != R.Signature.label.size())
903 return L.Signature.label.size() < R.Signature.label.size();
904 return L.Signature.label < R.Signature.label;
905 });
906
907 for (auto &SS : ScoredSignatures) {
908 auto IndexDocIt =
909 SS.IDForDoc ? FetchedDocs.find(*SS.IDForDoc) : FetchedDocs.end();
910 if (IndexDocIt != FetchedDocs.end())
911 SS.Signature.documentation = IndexDocIt->second;
912
913 SigHelp.signatures.push_back(std::move(SS.Signature));
914 }
Sam McCall98775c52017-12-04 13:49:59 +0000915 }
916
917 GlobalCodeCompletionAllocator &getAllocator() override { return *Allocator; }
918
919 CodeCompletionTUInfo &getCodeCompletionTUInfo() override { return CCTUInfo; }
920
921private:
Eric Liu63696e12017-12-20 17:24:31 +0000922 // FIXME(ioeric): consider moving CodeCompletionString logic here to
923 // CompletionString.h.
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000924 ScoredSignature processOverloadCandidate(const OverloadCandidate &Candidate,
925 const CodeCompletionString &CCS,
926 llvm::StringRef DocComment) const {
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000927 SignatureInformation Signature;
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000928 SignatureQualitySignals Signal;
Sam McCall98775c52017-12-04 13:49:59 +0000929 const char *ReturnType = nullptr;
930
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000931 Signature.documentation = formatDocumentation(CCS, DocComment);
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000932 Signal.Kind = Candidate.getKind();
Sam McCall98775c52017-12-04 13:49:59 +0000933
934 for (const auto &Chunk : CCS) {
935 switch (Chunk.Kind) {
936 case CodeCompletionString::CK_ResultType:
937 // A piece of text that describes the type of an entity or,
938 // for functions and methods, the return type.
939 assert(!ReturnType && "Unexpected CK_ResultType");
940 ReturnType = Chunk.Text;
941 break;
942 case CodeCompletionString::CK_Placeholder:
943 // A string that acts as a placeholder for, e.g., a function call
944 // argument.
945 // Intentional fallthrough here.
946 case CodeCompletionString::CK_CurrentParameter: {
947 // A piece of text that describes the parameter that corresponds to
948 // the code-completion location within a function call, message send,
949 // macro invocation, etc.
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000950 Signature.label += Chunk.Text;
Sam McCall98775c52017-12-04 13:49:59 +0000951 ParameterInformation Info;
952 Info.label = Chunk.Text;
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000953 Signature.parameters.push_back(std::move(Info));
Kadir Cetinkayae486e372018-08-13 08:40:05 +0000954 Signal.NumberOfParameters++;
955 Signal.ContainsActiveParameter = true;
Sam McCall98775c52017-12-04 13:49:59 +0000956 break;
957 }
958 case CodeCompletionString::CK_Optional: {
959 // The rest of the parameters are defaulted/optional.
960 assert(Chunk.Optional &&
961 "Expected the optional code completion string to be non-null.");
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000962 Signature.label += getOptionalParameters(*Chunk.Optional,
963 Signature.parameters, Signal);
Sam McCall98775c52017-12-04 13:49:59 +0000964 break;
965 }
966 case CodeCompletionString::CK_VerticalSpace:
967 break;
968 default:
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000969 Signature.label += Chunk.Text;
Sam McCall98775c52017-12-04 13:49:59 +0000970 break;
971 }
972 }
973 if (ReturnType) {
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000974 Signature.label += " -> ";
975 Signature.label += ReturnType;
Sam McCall98775c52017-12-04 13:49:59 +0000976 }
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000977 dlog("Signal for {0}: {1}", Signature, Signal);
978 ScoredSignature Result;
979 Result.Signature = std::move(Signature);
980 Result.Quality = Signal;
981 Result.IDForDoc =
982 Result.Signature.documentation.empty() && Candidate.getFunction()
983 ? clangd::getSymbolID(Candidate.getFunction())
984 : llvm::None;
985 return Result;
Sam McCall98775c52017-12-04 13:49:59 +0000986 }
987
988 SignatureHelp &SigHelp;
989 std::shared_ptr<clang::GlobalCodeCompletionAllocator> Allocator;
990 CodeCompletionTUInfo CCTUInfo;
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +0000991 const SymbolIndex *Index;
Sam McCall98775c52017-12-04 13:49:59 +0000992}; // SignatureHelpCollector
993
Sam McCall545a20d2018-01-19 14:34:02 +0000994struct SemaCompleteInput {
995 PathRef FileName;
996 const tooling::CompileCommand &Command;
997 PrecompiledPreamble const *Preamble;
998 StringRef Contents;
999 Position Pos;
1000 IntrusiveRefCntPtr<vfs::FileSystem> VFS;
1001 std::shared_ptr<PCHContainerOperations> PCHs;
1002};
1003
1004// Invokes Sema code completion on a file.
Sam McCall3f0243f2018-07-03 08:09:29 +00001005// If \p Includes is set, it will be updated based on the compiler invocation.
Sam McCalld1a7a372018-01-31 13:40:48 +00001006bool semaCodeComplete(std::unique_ptr<CodeCompleteConsumer> Consumer,
Sam McCall545a20d2018-01-19 14:34:02 +00001007 const clang::CodeCompleteOptions &Options,
Eric Liu63f419a2018-05-15 15:29:32 +00001008 const SemaCompleteInput &Input,
Sam McCall3f0243f2018-07-03 08:09:29 +00001009 IncludeStructure *Includes = nullptr) {
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001010 trace::Span Tracer("Sema completion");
Sam McCall98775c52017-12-04 13:49:59 +00001011 std::vector<const char *> ArgStrs;
Sam McCall545a20d2018-01-19 14:34:02 +00001012 for (const auto &S : Input.Command.CommandLine)
Sam McCall98775c52017-12-04 13:49:59 +00001013 ArgStrs.push_back(S.c_str());
1014
Ilya Biryukova9cf3112018-02-13 17:15:06 +00001015 if (Input.VFS->setCurrentWorkingDirectory(Input.Command.Directory)) {
1016 log("Couldn't set working directory");
1017 // We run parsing anyway, our lit-tests rely on results for non-existing
1018 // working dirs.
1019 }
Sam McCall98775c52017-12-04 13:49:59 +00001020
1021 IgnoreDiagnostics DummyDiagsConsumer;
1022 auto CI = createInvocationFromCommandLine(
1023 ArgStrs,
1024 CompilerInstance::createDiagnostics(new DiagnosticOptions,
1025 &DummyDiagsConsumer, false),
Sam McCall545a20d2018-01-19 14:34:02 +00001026 Input.VFS);
Ilya Biryukovb6ad25c2018-02-09 13:51:57 +00001027 if (!CI) {
Sam McCallbed58852018-07-11 10:35:11 +00001028 elog("Couldn't create CompilerInvocation");
Ilya Biryukovb6ad25c2018-02-09 13:51:57 +00001029 return false;
1030 }
Ilya Biryukov981a35d2018-05-28 12:11:37 +00001031 auto &FrontendOpts = CI->getFrontendOpts();
1032 FrontendOpts.DisableFree = false;
Sam McCall98775c52017-12-04 13:49:59 +00001033 FrontendOpts.SkipFunctionBodies = true;
Ilya Biryukov981a35d2018-05-28 12:11:37 +00001034 CI->getLangOpts()->CommentOpts.ParseAllComments = true;
1035 // Disable typo correction in Sema.
1036 CI->getLangOpts()->SpellChecking = false;
1037 // Setup code completion.
Sam McCall98775c52017-12-04 13:49:59 +00001038 FrontendOpts.CodeCompleteOpts = Options;
Sam McCall545a20d2018-01-19 14:34:02 +00001039 FrontendOpts.CodeCompletionAt.FileName = Input.FileName;
Sam McCalla4962cc2018-04-27 11:59:28 +00001040 auto Offset = positionToOffset(Input.Contents, Input.Pos);
1041 if (!Offset) {
Sam McCallbed58852018-07-11 10:35:11 +00001042 elog("Code completion position was invalid {0}", Offset.takeError());
Sam McCalla4962cc2018-04-27 11:59:28 +00001043 return false;
1044 }
1045 std::tie(FrontendOpts.CodeCompletionAt.Line,
1046 FrontendOpts.CodeCompletionAt.Column) =
1047 offsetToClangLineColumn(Input.Contents, *Offset);
Sam McCall98775c52017-12-04 13:49:59 +00001048
Ilya Biryukov981a35d2018-05-28 12:11:37 +00001049 std::unique_ptr<llvm::MemoryBuffer> ContentsBuffer =
1050 llvm::MemoryBuffer::getMemBufferCopy(Input.Contents, Input.FileName);
1051 // The diagnostic options must be set before creating a CompilerInstance.
1052 CI->getDiagnosticOpts().IgnoreWarnings = true;
1053 // We reuse the preamble whether it's valid or not. This is a
1054 // correctness/performance tradeoff: building without a preamble is slow, and
1055 // completion is latency-sensitive.
1056 // NOTE: we must call BeginSourceFile after prepareCompilerInstance. Otherwise
1057 // the remapped buffers do not get freed.
1058 auto Clang = prepareCompilerInstance(
1059 std::move(CI), Input.Preamble, std::move(ContentsBuffer),
1060 std::move(Input.PCHs), std::move(Input.VFS), DummyDiagsConsumer);
Sam McCall98775c52017-12-04 13:49:59 +00001061 Clang->setCodeCompletionConsumer(Consumer.release());
1062
1063 SyntaxOnlyAction Action;
1064 if (!Action.BeginSourceFile(*Clang, Clang->getFrontendOpts().Inputs[0])) {
Sam McCallbed58852018-07-11 10:35:11 +00001065 log("BeginSourceFile() failed when running codeComplete for {0}",
Sam McCalld1a7a372018-01-31 13:40:48 +00001066 Input.FileName);
Sam McCall98775c52017-12-04 13:49:59 +00001067 return false;
1068 }
Sam McCall3f0243f2018-07-03 08:09:29 +00001069 if (Includes)
1070 Clang->getPreprocessor().addPPCallbacks(
1071 collectIncludeStructureCallback(Clang->getSourceManager(), Includes));
Sam McCall98775c52017-12-04 13:49:59 +00001072 if (!Action.Execute()) {
Sam McCallbed58852018-07-11 10:35:11 +00001073 log("Execute() failed when running codeComplete for {0}", Input.FileName);
Sam McCall98775c52017-12-04 13:49:59 +00001074 return false;
1075 }
Sam McCall98775c52017-12-04 13:49:59 +00001076 Action.EndSourceFile();
1077
1078 return true;
1079}
1080
Ilya Biryukova907ba42018-05-14 10:50:04 +00001081// Should we allow index completions in the specified context?
1082bool allowIndex(CodeCompletionContext &CC) {
1083 if (!contextAllowsIndex(CC.getKind()))
1084 return false;
1085 // We also avoid ClassName::bar (but allow namespace::bar).
1086 auto Scope = CC.getCXXScopeSpecifier();
1087 if (!Scope)
1088 return true;
1089 NestedNameSpecifier *NameSpec = (*Scope)->getScopeRep();
1090 if (!NameSpec)
1091 return true;
1092 // We only query the index when qualifier is a namespace.
1093 // If it's a class, we rely solely on sema completions.
1094 switch (NameSpec->getKind()) {
1095 case NestedNameSpecifier::Global:
1096 case NestedNameSpecifier::Namespace:
1097 case NestedNameSpecifier::NamespaceAlias:
1098 return true;
1099 case NestedNameSpecifier::Super:
1100 case NestedNameSpecifier::TypeSpec:
1101 case NestedNameSpecifier::TypeSpecWithTemplate:
1102 // Unresolved inside a template.
1103 case NestedNameSpecifier::Identifier:
1104 return false;
1105 }
Ilya Biryukova6556e22018-05-14 11:47:30 +00001106 llvm_unreachable("invalid NestedNameSpecifier kind");
Ilya Biryukova907ba42018-05-14 10:50:04 +00001107}
1108
Eric Liu25d74e92018-08-24 11:23:56 +00001109std::future<SymbolSlab> startAsyncFuzzyFind(const SymbolIndex &Index,
1110 const FuzzyFindRequest &Req) {
1111 return runAsync<SymbolSlab>([&Index, Req]() {
1112 trace::Span Tracer("Async fuzzyFind");
1113 SymbolSlab::Builder Syms;
1114 Index.fuzzyFind(Req, [&Syms](const Symbol &Sym) { Syms.insert(Sym); });
1115 return std::move(Syms).build();
1116 });
1117}
1118
1119// Creates a `FuzzyFindRequest` based on the cached index request from the
1120// last completion, if any, and the speculated completion filter text in the
1121// source code.
1122llvm::Optional<FuzzyFindRequest> speculativeFuzzyFindRequestForCompletion(
1123 FuzzyFindRequest CachedReq, PathRef File, StringRef Content, Position Pos) {
1124 auto Filter = speculateCompletionFilter(Content, Pos);
1125 if (!Filter) {
1126 elog("Failed to speculate filter text for code completion at Pos "
1127 "{0}:{1}: {2}",
1128 Pos.line, Pos.character, Filter.takeError());
1129 return llvm::None;
1130 }
1131 CachedReq.Query = *Filter;
1132 return CachedReq;
1133}
1134
Sam McCall98775c52017-12-04 13:49:59 +00001135} // namespace
1136
1137clang::CodeCompleteOptions CodeCompleteOptions::getClangCompleteOpts() const {
1138 clang::CodeCompleteOptions Result;
1139 Result.IncludeCodePatterns = EnableSnippets && IncludeCodePatterns;
1140 Result.IncludeMacros = IncludeMacros;
Sam McCalld8169a82018-01-18 15:31:30 +00001141 Result.IncludeGlobals = true;
Ilya Biryukov43714502018-05-16 12:32:44 +00001142 // We choose to include full comments and not do doxygen parsing in
1143 // completion.
1144 // FIXME: ideally, we should support doxygen in some form, e.g. do markdown
1145 // formatting of the comments.
1146 Result.IncludeBriefComments = false;
Sam McCall98775c52017-12-04 13:49:59 +00001147
Sam McCall3d139c52018-01-12 18:30:08 +00001148 // When an is used, Sema is responsible for completing the main file,
1149 // the index can provide results from the preamble.
1150 // Tell Sema not to deserialize the preamble to look for results.
1151 Result.LoadExternal = !Index;
Kadir Cetinkaya2f84d912018-08-08 08:59:29 +00001152 Result.IncludeFixIts = IncludeFixIts;
Eric Liu6f648df2017-12-19 16:50:37 +00001153
Sam McCall98775c52017-12-04 13:49:59 +00001154 return Result;
1155}
1156
Eric Liu83f63e42018-09-03 10:18:21 +00001157// Returns the most popular include header for \p Sym. If two headers are
1158// equally popular, prefer the shorter one. Returns empty string if \p Sym has
1159// no include header.
1160llvm::SmallVector<StringRef, 1>
1161getRankedIncludes(const Symbol &Sym) {
1162 auto Includes = Sym.IncludeHeaders;
1163 // Sort in descending order by reference count and header length.
1164 std::sort(Includes.begin(), Includes.end(),
1165 [](const Symbol::IncludeHeaderWithReferences &LHS,
1166 const Symbol::IncludeHeaderWithReferences &RHS) {
1167 if (LHS.References == RHS.References)
1168 return LHS.IncludeHeader.size() < RHS.IncludeHeader.size();
1169 return LHS.References > RHS.References;
1170 });
1171 llvm::SmallVector<StringRef, 1> Headers;
1172 for (const auto &Include : Includes)
1173 Headers.push_back(Include.IncludeHeader);
1174 return Headers;
1175}
1176
Sam McCall545a20d2018-01-19 14:34:02 +00001177// Runs Sema-based (AST) and Index-based completion, returns merged results.
1178//
1179// There are a few tricky considerations:
1180// - the AST provides information needed for the index query (e.g. which
1181// namespaces to search in). So Sema must start first.
1182// - we only want to return the top results (Opts.Limit).
1183// Building CompletionItems for everything else is wasteful, so we want to
1184// preserve the "native" format until we're done with scoring.
1185// - the data underlying Sema completion items is owned by the AST and various
1186// other arenas, which must stay alive for us to build CompletionItems.
1187// - we may get duplicate results from Sema and the Index, we need to merge.
1188//
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001189// So we start Sema completion first, and do all our work in its callback.
Sam McCall545a20d2018-01-19 14:34:02 +00001190// We use the Sema context information to query the index.
1191// Then we merge the two result sets, producing items that are Sema/Index/Both.
1192// These items are scored, and the top N are synthesized into the LSP response.
1193// Finally, we can clean up the data structures created by Sema completion.
1194//
1195// Main collaborators are:
1196// - semaCodeComplete sets up the compiler machinery to run code completion.
1197// - CompletionRecorder captures Sema completion results, including context.
1198// - SymbolIndex (Opts.Index) provides index completion results as Symbols
1199// - CompletionCandidates are the result of merging Sema and Index results.
1200// Each candidate points to an underlying CodeCompletionResult (Sema), a
1201// Symbol (Index), or both. It computes the result quality score.
1202// CompletionCandidate also does conversion to CompletionItem (at the end).
1203// - FuzzyMatcher scores how the candidate matches the partial identifier.
1204// This score is combined with the result quality score for the final score.
1205// - TopN determines the results with the best score.
1206class CodeCompleteFlow {
Eric Liuc5105f92018-02-16 14:15:55 +00001207 PathRef FileName;
Sam McCall3f0243f2018-07-03 08:09:29 +00001208 IncludeStructure Includes; // Complete once the compiler runs.
Eric Liu25d74e92018-08-24 11:23:56 +00001209 SpeculativeFuzzyFind *SpecFuzzyFind; // Can be nullptr.
Sam McCall545a20d2018-01-19 14:34:02 +00001210 const CodeCompleteOptions &Opts;
Eric Liu25d74e92018-08-24 11:23:56 +00001211
Sam McCall545a20d2018-01-19 14:34:02 +00001212 // Sema takes ownership of Recorder. Recorder is valid until Sema cleanup.
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001213 CompletionRecorder *Recorder = nullptr;
Sam McCall545a20d2018-01-19 14:34:02 +00001214 int NSema = 0, NIndex = 0, NBoth = 0; // Counters for logging.
1215 bool Incomplete = false; // Would more be available with a higher limit?
Eric Liu63f419a2018-05-15 15:29:32 +00001216 llvm::Optional<FuzzyMatcher> Filter; // Initialized once Sema runs.
Eric Liubc25ef72018-07-05 08:29:33 +00001217 std::vector<std::string> QueryScopes; // Initialized once Sema runs.
Sam McCall3f0243f2018-07-03 08:09:29 +00001218 // Include-insertion and proximity scoring rely on the include structure.
1219 // This is available after Sema has run.
1220 llvm::Optional<IncludeInserter> Inserter; // Available during runWithSema.
1221 llvm::Optional<URIDistance> FileProximity; // Initialized once Sema runs.
Eric Liu25d74e92018-08-24 11:23:56 +00001222 /// Speculative request based on the cached request and the filter text before
1223 /// the cursor.
1224 /// Initialized right before sema run. This is only set if `SpecFuzzyFind` is
1225 /// set and contains a cached request.
1226 llvm::Optional<FuzzyFindRequest> SpecReq;
Sam McCall545a20d2018-01-19 14:34:02 +00001227
1228public:
1229 // A CodeCompleteFlow object is only useful for calling run() exactly once.
Sam McCall3f0243f2018-07-03 08:09:29 +00001230 CodeCompleteFlow(PathRef FileName, const IncludeStructure &Includes,
Eric Liu25d74e92018-08-24 11:23:56 +00001231 SpeculativeFuzzyFind *SpecFuzzyFind,
Sam McCall3f0243f2018-07-03 08:09:29 +00001232 const CodeCompleteOptions &Opts)
Eric Liu25d74e92018-08-24 11:23:56 +00001233 : FileName(FileName), Includes(Includes), SpecFuzzyFind(SpecFuzzyFind),
1234 Opts(Opts) {}
Sam McCall545a20d2018-01-19 14:34:02 +00001235
Sam McCall27c979a2018-06-29 14:47:57 +00001236 CodeCompleteResult run(const SemaCompleteInput &SemaCCInput) && {
Sam McCalld1a7a372018-01-31 13:40:48 +00001237 trace::Span Tracer("CodeCompleteFlow");
Eric Liu25d74e92018-08-24 11:23:56 +00001238 if (Opts.Index && SpecFuzzyFind && SpecFuzzyFind->CachedReq.hasValue()) {
1239 assert(!SpecFuzzyFind->Result.valid());
1240 if ((SpecReq = speculativeFuzzyFindRequestForCompletion(
1241 *SpecFuzzyFind->CachedReq, SemaCCInput.FileName,
1242 SemaCCInput.Contents, SemaCCInput.Pos)))
1243 SpecFuzzyFind->Result = startAsyncFuzzyFind(*Opts.Index, *SpecReq);
1244 }
Eric Liu63f419a2018-05-15 15:29:32 +00001245
Sam McCall545a20d2018-01-19 14:34:02 +00001246 // We run Sema code completion first. It builds an AST and calculates:
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001247 // - completion results based on the AST.
Sam McCall545a20d2018-01-19 14:34:02 +00001248 // - partial identifier and context. We need these for the index query.
Sam McCall27c979a2018-06-29 14:47:57 +00001249 CodeCompleteResult Output;
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001250 auto RecorderOwner = llvm::make_unique<CompletionRecorder>(Opts, [&]() {
1251 assert(Recorder && "Recorder is not set");
Sam McCall3f0243f2018-07-03 08:09:29 +00001252 auto Style =
Eric Liu9338a882018-07-03 14:51:23 +00001253 format::getStyle(format::DefaultFormatStyle, SemaCCInput.FileName,
1254 format::DefaultFallbackStyle, SemaCCInput.Contents,
1255 SemaCCInput.VFS.get());
Sam McCall3f0243f2018-07-03 08:09:29 +00001256 if (!Style) {
Sam McCallbed58852018-07-11 10:35:11 +00001257 log("getStyle() failed for file {0}: {1}. Fallback is LLVM style.",
1258 SemaCCInput.FileName, Style.takeError());
Sam McCall3f0243f2018-07-03 08:09:29 +00001259 Style = format::getLLVMStyle();
1260 }
Eric Liu63f419a2018-05-15 15:29:32 +00001261 // If preprocessor was run, inclusions from preprocessor callback should
Sam McCall3f0243f2018-07-03 08:09:29 +00001262 // already be added to Includes.
1263 Inserter.emplace(
1264 SemaCCInput.FileName, SemaCCInput.Contents, *Style,
1265 SemaCCInput.Command.Directory,
1266 Recorder->CCSema->getPreprocessor().getHeaderSearchInfo());
1267 for (const auto &Inc : Includes.MainFileIncludes)
1268 Inserter->addExisting(Inc);
1269
1270 // Most of the cost of file proximity is in initializing the FileDistance
1271 // structures based on the observed includes, once per query. Conceptually
1272 // that happens here (though the per-URI-scheme initialization is lazy).
1273 // The per-result proximity scoring is (amortized) very cheap.
1274 FileDistanceOptions ProxOpts{}; // Use defaults.
1275 const auto &SM = Recorder->CCSema->getSourceManager();
1276 llvm::StringMap<SourceParams> ProxSources;
1277 for (auto &Entry : Includes.includeDepth(
1278 SM.getFileEntryForID(SM.getMainFileID())->getName())) {
1279 auto &Source = ProxSources[Entry.getKey()];
1280 Source.Cost = Entry.getValue() * ProxOpts.IncludeCost;
1281 // Symbols near our transitive includes are good, but only consider
1282 // things in the same directory or below it. Otherwise there can be
1283 // many false positives.
1284 if (Entry.getValue() > 0)
1285 Source.MaxUpTraversals = 1;
1286 }
1287 FileProximity.emplace(ProxSources, ProxOpts);
1288
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001289 Output = runWithSema();
Sam McCall3f0243f2018-07-03 08:09:29 +00001290 Inserter.reset(); // Make sure this doesn't out-live Clang.
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001291 SPAN_ATTACH(Tracer, "sema_completion_kind",
1292 getCompletionKindString(Recorder->CCContext.getKind()));
Sam McCallbed58852018-07-11 10:35:11 +00001293 log("Code complete: sema context {0}, query scopes [{1}]",
Eric Liubc25ef72018-07-05 08:29:33 +00001294 getCompletionKindString(Recorder->CCContext.getKind()),
Sam McCallbed58852018-07-11 10:35:11 +00001295 llvm::join(QueryScopes.begin(), QueryScopes.end(), ","));
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001296 });
1297
1298 Recorder = RecorderOwner.get();
Eric Liu25d74e92018-08-24 11:23:56 +00001299
Sam McCalld1a7a372018-01-31 13:40:48 +00001300 semaCodeComplete(std::move(RecorderOwner), Opts.getClangCompleteOpts(),
Eric Liu63f419a2018-05-15 15:29:32 +00001301 SemaCCInput, &Includes);
Sam McCall545a20d2018-01-19 14:34:02 +00001302
Sam McCall2b780162018-01-30 17:20:54 +00001303 SPAN_ATTACH(Tracer, "sema_results", NSema);
1304 SPAN_ATTACH(Tracer, "index_results", NIndex);
1305 SPAN_ATTACH(Tracer, "merged_results", NBoth);
Sam McCalld20d7982018-07-09 14:25:59 +00001306 SPAN_ATTACH(Tracer, "returned_results", int64_t(Output.Completions.size()));
Sam McCall27c979a2018-06-29 14:47:57 +00001307 SPAN_ATTACH(Tracer, "incomplete", Output.HasMore);
Sam McCallbed58852018-07-11 10:35:11 +00001308 log("Code complete: {0} results from Sema, {1} from Index, "
1309 "{2} matched, {3} returned{4}.",
1310 NSema, NIndex, NBoth, Output.Completions.size(),
1311 Output.HasMore ? " (incomplete)" : "");
Sam McCall27c979a2018-06-29 14:47:57 +00001312 assert(!Opts.Limit || Output.Completions.size() <= Opts.Limit);
Sam McCall545a20d2018-01-19 14:34:02 +00001313 // We don't assert that isIncomplete means we hit a limit.
1314 // Indexes may choose to impose their own limits even if we don't have one.
1315 return Output;
1316 }
1317
1318private:
1319 // This is called by run() once Sema code completion is done, but before the
1320 // Sema data structures are torn down. It does all the real work.
Sam McCall27c979a2018-06-29 14:47:57 +00001321 CodeCompleteResult runWithSema() {
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +00001322 const auto &CodeCompletionRange = CharSourceRange::getCharRange(
1323 Recorder->CCSema->getPreprocessor().getCodeCompletionTokenRange());
1324 Range TextEditRange;
1325 // When we are getting completions with an empty identifier, for example
1326 // std::vector<int> asdf;
1327 // asdf.^;
1328 // Then the range will be invalid and we will be doing insertion, use
1329 // current cursor position in such cases as range.
1330 if (CodeCompletionRange.isValid()) {
1331 TextEditRange = halfOpenToRange(Recorder->CCSema->getSourceManager(),
1332 CodeCompletionRange);
1333 } else {
1334 const auto &Pos = sourceLocToPosition(
1335 Recorder->CCSema->getSourceManager(),
1336 Recorder->CCSema->getPreprocessor().getCodeCompletionLoc());
1337 TextEditRange.start = TextEditRange.end = Pos;
1338 }
Sam McCall545a20d2018-01-19 14:34:02 +00001339 Filter = FuzzyMatcher(
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001340 Recorder->CCSema->getPreprocessor().getCodeCompletionFilter());
Eric Liubc25ef72018-07-05 08:29:33 +00001341 QueryScopes = getQueryScopes(Recorder->CCContext,
1342 Recorder->CCSema->getSourceManager());
Sam McCall545a20d2018-01-19 14:34:02 +00001343 // Sema provides the needed context to query the index.
1344 // FIXME: in addition to querying for extra/overlapping symbols, we should
1345 // explicitly request symbols corresponding to Sema results.
1346 // We can use their signals even if the index can't suggest them.
1347 // We must copy index results to preserve them, but there are at most Limit.
Eric Liu8f3678d2018-06-15 13:34:18 +00001348 auto IndexResults = (Opts.Index && allowIndex(Recorder->CCContext))
1349 ? queryIndex()
1350 : SymbolSlab();
Eric Liu25d74e92018-08-24 11:23:56 +00001351 trace::Span Tracer("Populate CodeCompleteResult");
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001352 // Merge Sema, Index and Override results, score them, and pick the
1353 // winners.
1354 const auto Overrides = getNonOverridenMethodCompletionResults(
1355 Recorder->CCSema->CurContext, Recorder->CCSema);
1356 auto Top = mergeResults(Recorder->Results, IndexResults, Overrides);
Sam McCall27c979a2018-06-29 14:47:57 +00001357 CodeCompleteResult Output;
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001358
1359 // Convert the results to final form, assembling the expensive strings.
Sam McCall27c979a2018-06-29 14:47:57 +00001360 for (auto &C : Top) {
1361 Output.Completions.push_back(toCodeCompletion(C.first));
1362 Output.Completions.back().Score = C.second;
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +00001363 Output.Completions.back().CompletionTokenRange = TextEditRange;
Sam McCall27c979a2018-06-29 14:47:57 +00001364 }
1365 Output.HasMore = Incomplete;
Eric Liu5d2a8072018-07-23 10:56:37 +00001366 Output.Context = Recorder->CCContext.getKind();
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001367
Sam McCall545a20d2018-01-19 14:34:02 +00001368 return Output;
1369 }
1370
1371 SymbolSlab queryIndex() {
Sam McCalld1a7a372018-01-31 13:40:48 +00001372 trace::Span Tracer("Query index");
Sam McCalld20d7982018-07-09 14:25:59 +00001373 SPAN_ATTACH(Tracer, "limit", int64_t(Opts.Limit));
Sam McCall2b780162018-01-30 17:20:54 +00001374
Sam McCall545a20d2018-01-19 14:34:02 +00001375 // Build the query.
1376 FuzzyFindRequest Req;
Haojian Wu48b48652018-01-25 09:20:09 +00001377 if (Opts.Limit)
1378 Req.MaxCandidateCount = Opts.Limit;
Sam McCall545a20d2018-01-19 14:34:02 +00001379 Req.Query = Filter->pattern();
Marc-Andre Laperle945b5a32018-06-05 14:01:40 +00001380 Req.RestrictForCodeCompletion = true;
Eric Liubc25ef72018-07-05 08:29:33 +00001381 Req.Scopes = QueryScopes;
Sam McCall3f0243f2018-07-03 08:09:29 +00001382 // FIXME: we should send multiple weighted paths here.
Eric Liu6de95ec2018-06-12 08:48:20 +00001383 Req.ProximityPaths.push_back(FileName);
Kirill Bobyrev09f00dc2018-09-10 11:51:05 +00001384 vlog("Code complete: fuzzyFind({0:2})", toJSON(Req));
Eric Liu25d74e92018-08-24 11:23:56 +00001385
1386 if (SpecFuzzyFind)
1387 SpecFuzzyFind->NewReq = Req;
1388 if (SpecFuzzyFind && SpecFuzzyFind->Result.valid() && (*SpecReq == Req)) {
1389 vlog("Code complete: speculative fuzzy request matches the actual index "
1390 "request. Waiting for the speculative index results.");
1391 SPAN_ATTACH(Tracer, "Speculative results", true);
1392
1393 trace::Span WaitSpec("Wait speculative results");
1394 return SpecFuzzyFind->Result.get();
1395 }
1396
1397 SPAN_ATTACH(Tracer, "Speculative results", false);
1398
Sam McCall545a20d2018-01-19 14:34:02 +00001399 // Run the query against the index.
Eric Liu25d74e92018-08-24 11:23:56 +00001400 SymbolSlab::Builder ResultsBuilder;
Sam McCallab8e3932018-02-19 13:04:41 +00001401 if (Opts.Index->fuzzyFind(
1402 Req, [&](const Symbol &Sym) { ResultsBuilder.insert(Sym); }))
1403 Incomplete = true;
Sam McCall545a20d2018-01-19 14:34:02 +00001404 return std::move(ResultsBuilder).build();
1405 }
1406
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001407 // Merges Sema, Index and Override results where possible, to form
1408 // CompletionCandidates. Groups overloads if desired, to form
1409 // CompletionCandidate::Bundles. The bundles are scored and top results are
1410 // returned, best to worst.
Sam McCallc18c2802018-06-15 11:06:29 +00001411 std::vector<ScoredBundle>
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001412 mergeResults(const std::vector<CodeCompletionResult> &SemaResults,
1413 const SymbolSlab &IndexResults,
1414 const std::vector<CodeCompletionResult> &OverrideResults) {
Sam McCalld1a7a372018-01-31 13:40:48 +00001415 trace::Span Tracer("Merge and score results");
Sam McCallc18c2802018-06-15 11:06:29 +00001416 std::vector<CompletionCandidate::Bundle> Bundles;
1417 llvm::DenseMap<size_t, size_t> BundleLookup;
1418 auto AddToBundles = [&](const CodeCompletionResult *SemaResult,
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001419 const Symbol *IndexResult,
Simon Pilgrim9875ae42018-09-04 12:17:10 +00001420 bool IsOverride) {
Sam McCallc18c2802018-06-15 11:06:29 +00001421 CompletionCandidate C;
1422 C.SemaResult = SemaResult;
1423 C.IndexResult = IndexResult;
Eric Liu83f63e42018-09-03 10:18:21 +00001424 if (C.IndexResult)
1425 C.RankedIncludeHeaders = getRankedIncludes(*C.IndexResult);
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001426 C.IsOverride = IsOverride;
Sam McCallc18c2802018-06-15 11:06:29 +00001427 C.Name = IndexResult ? IndexResult->Name : Recorder->getName(*SemaResult);
1428 if (auto OverloadSet = Opts.BundleOverloads ? C.overloadSet() : 0) {
1429 auto Ret = BundleLookup.try_emplace(OverloadSet, Bundles.size());
1430 if (Ret.second)
1431 Bundles.emplace_back();
1432 Bundles[Ret.first->second].push_back(std::move(C));
1433 } else {
1434 Bundles.emplace_back();
1435 Bundles.back().push_back(std::move(C));
1436 }
1437 };
Sam McCall545a20d2018-01-19 14:34:02 +00001438 llvm::DenseSet<const Symbol *> UsedIndexResults;
1439 auto CorrespondingIndexResult =
1440 [&](const CodeCompletionResult &SemaResult) -> const Symbol * {
Eric Liud25f1212018-09-06 09:59:37 +00001441 if (auto SymID =
1442 getSymbolID(SemaResult, Recorder->CCSema->getSourceManager())) {
Sam McCall545a20d2018-01-19 14:34:02 +00001443 auto I = IndexResults.find(*SymID);
1444 if (I != IndexResults.end()) {
1445 UsedIndexResults.insert(&*I);
1446 return &*I;
1447 }
1448 }
1449 return nullptr;
1450 };
1451 // Emit all Sema results, merging them with Index results if possible.
Ilya Biryukovddf6a332018-03-02 12:28:27 +00001452 for (auto &SemaResult : Recorder->Results)
Simon Pilgrim9875ae42018-09-04 12:17:10 +00001453 AddToBundles(&SemaResult, CorrespondingIndexResult(SemaResult), false);
Kadir Cetinkayaf8b85a32018-08-23 13:14:50 +00001454 // Handle OverrideResults the same way we deal with SemaResults. Since these
1455 // results use the same structs as a SemaResult it is safe to do that, but
1456 // we need to make sure we dont' duplicate things in future if Sema starts
1457 // to provide them as well.
1458 for (auto &OverrideResult : OverrideResults)
1459 AddToBundles(&OverrideResult, CorrespondingIndexResult(OverrideResult),
1460 true);
Sam McCall545a20d2018-01-19 14:34:02 +00001461 // Now emit any Index-only results.
1462 for (const auto &IndexResult : IndexResults) {
1463 if (UsedIndexResults.count(&IndexResult))
1464 continue;
Simon Pilgrim9875ae42018-09-04 12:17:10 +00001465 AddToBundles(/*SemaResult=*/nullptr, &IndexResult, false);
Sam McCall545a20d2018-01-19 14:34:02 +00001466 }
Sam McCallc18c2802018-06-15 11:06:29 +00001467 // We only keep the best N results at any time, in "native" format.
1468 TopN<ScoredBundle, ScoredBundleGreater> Top(
1469 Opts.Limit == 0 ? std::numeric_limits<size_t>::max() : Opts.Limit);
1470 for (auto &Bundle : Bundles)
1471 addCandidate(Top, std::move(Bundle));
Sam McCall545a20d2018-01-19 14:34:02 +00001472 return std::move(Top).items();
1473 }
1474
Sam McCall80ad7072018-06-08 13:32:25 +00001475 Optional<float> fuzzyScore(const CompletionCandidate &C) {
1476 // Macros can be very spammy, so we only support prefix completion.
1477 // We won't end up with underfull index results, as macros are sema-only.
1478 if (C.SemaResult && C.SemaResult->Kind == CodeCompletionResult::RK_Macro &&
1479 !C.Name.startswith_lower(Filter->pattern()))
1480 return None;
1481 return Filter->match(C.Name);
1482 }
1483
Sam McCall545a20d2018-01-19 14:34:02 +00001484 // Scores a candidate and adds it to the TopN structure.
Sam McCallc18c2802018-06-15 11:06:29 +00001485 void addCandidate(TopN<ScoredBundle, ScoredBundleGreater> &Candidates,
1486 CompletionCandidate::Bundle Bundle) {
Sam McCallc5707b62018-05-15 17:43:27 +00001487 SymbolQualitySignals Quality;
1488 SymbolRelevanceSignals Relevance;
Eric Liu5d2a8072018-07-23 10:56:37 +00001489 Relevance.Context = Recorder->CCContext.getKind();
Sam McCalld9b54f02018-06-05 16:30:25 +00001490 Relevance.Query = SymbolRelevanceSignals::CodeComplete;
Sam McCallf84dd022018-07-05 08:26:53 +00001491 Relevance.FileProximityMatch = FileProximity.getPointer();
Sam McCallc18c2802018-06-15 11:06:29 +00001492 auto &First = Bundle.front();
1493 if (auto FuzzyScore = fuzzyScore(First))
Sam McCallc5707b62018-05-15 17:43:27 +00001494 Relevance.NameMatch = *FuzzyScore;
Sam McCall545a20d2018-01-19 14:34:02 +00001495 else
1496 return;
Sam McCall2161ec72018-07-05 06:20:41 +00001497 SymbolOrigin Origin = SymbolOrigin::Unknown;
Sam McCall4e5742a2018-07-06 11:50:49 +00001498 bool FromIndex = false;
Sam McCallc18c2802018-06-15 11:06:29 +00001499 for (const auto &Candidate : Bundle) {
1500 if (Candidate.IndexResult) {
1501 Quality.merge(*Candidate.IndexResult);
1502 Relevance.merge(*Candidate.IndexResult);
Sam McCall4e5742a2018-07-06 11:50:49 +00001503 Origin |= Candidate.IndexResult->Origin;
1504 FromIndex = true;
Sam McCallc18c2802018-06-15 11:06:29 +00001505 }
1506 if (Candidate.SemaResult) {
1507 Quality.merge(*Candidate.SemaResult);
1508 Relevance.merge(*Candidate.SemaResult);
Sam McCall4e5742a2018-07-06 11:50:49 +00001509 Origin |= SymbolOrigin::AST;
Sam McCallc18c2802018-06-15 11:06:29 +00001510 }
Sam McCallc5707b62018-05-15 17:43:27 +00001511 }
1512
Sam McCall27c979a2018-06-29 14:47:57 +00001513 CodeCompletion::Scores Scores;
1514 Scores.Quality = Quality.evaluate();
1515 Scores.Relevance = Relevance.evaluate();
1516 Scores.Total = evaluateSymbolAndRelevance(Scores.Quality, Scores.Relevance);
1517 // NameMatch is in fact a multiplier on total score, so rescoring is sound.
1518 Scores.ExcludingName = Relevance.NameMatch
1519 ? Scores.Total / Relevance.NameMatch
1520 : Scores.Quality;
Sam McCallc5707b62018-05-15 17:43:27 +00001521
Sam McCallbed58852018-07-11 10:35:11 +00001522 dlog("CodeComplete: {0} ({1}) = {2}\n{3}{4}\n", First.Name,
1523 llvm::to_string(Origin), Scores.Total, llvm::to_string(Quality),
1524 llvm::to_string(Relevance));
Sam McCall545a20d2018-01-19 14:34:02 +00001525
Sam McCall2161ec72018-07-05 06:20:41 +00001526 NSema += bool(Origin & SymbolOrigin::AST);
Sam McCall4e5742a2018-07-06 11:50:49 +00001527 NIndex += FromIndex;
1528 NBoth += bool(Origin & SymbolOrigin::AST) && FromIndex;
Sam McCallc18c2802018-06-15 11:06:29 +00001529 if (Candidates.push({std::move(Bundle), Scores}))
Sam McCallab8e3932018-02-19 13:04:41 +00001530 Incomplete = true;
Sam McCall545a20d2018-01-19 14:34:02 +00001531 }
1532
Sam McCall27c979a2018-06-29 14:47:57 +00001533 CodeCompletion toCodeCompletion(const CompletionCandidate::Bundle &Bundle) {
1534 llvm::Optional<CodeCompletionBuilder> Builder;
1535 for (const auto &Item : Bundle) {
1536 CodeCompletionString *SemaCCS =
1537 Item.SemaResult ? Recorder->codeCompletionString(*Item.SemaResult)
1538 : nullptr;
1539 if (!Builder)
1540 Builder.emplace(Recorder->CCSema->getASTContext(), Item, SemaCCS,
Sam McCall3f0243f2018-07-03 08:09:29 +00001541 *Inserter, FileName, Opts);
Sam McCall27c979a2018-06-29 14:47:57 +00001542 else
1543 Builder->add(Item, SemaCCS);
Ilya Biryukov43714502018-05-16 12:32:44 +00001544 }
Sam McCall27c979a2018-06-29 14:47:57 +00001545 return Builder->build();
Sam McCall545a20d2018-01-19 14:34:02 +00001546 }
1547};
1548
Eric Liu25d74e92018-08-24 11:23:56 +00001549llvm::Expected<llvm::StringRef>
1550speculateCompletionFilter(llvm::StringRef Content, Position Pos) {
1551 auto Offset = positionToOffset(Content, Pos);
1552 if (!Offset)
1553 return llvm::make_error<llvm::StringError>(
1554 "Failed to convert position to offset in content.",
1555 llvm::inconvertibleErrorCode());
1556 if (*Offset == 0)
1557 return "";
1558
1559 // Start from the character before the cursor.
1560 int St = *Offset - 1;
1561 // FIXME(ioeric): consider UTF characters?
1562 auto IsValidIdentifierChar = [](char c) {
1563 return ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z') ||
1564 (c >= '0' && c <= '9') || (c == '_'));
1565 };
1566 size_t Len = 0;
1567 for (; (St >= 0) && IsValidIdentifierChar(Content[St]); --St, ++Len) {
1568 }
1569 if (Len > 0)
1570 St++; // Shift to the first valid character.
1571 return Content.substr(St, Len);
1572}
1573
1574CodeCompleteResult
1575codeComplete(PathRef FileName, const tooling::CompileCommand &Command,
1576 PrecompiledPreamble const *Preamble,
1577 const IncludeStructure &PreambleInclusions, StringRef Contents,
1578 Position Pos, IntrusiveRefCntPtr<vfs::FileSystem> VFS,
1579 std::shared_ptr<PCHContainerOperations> PCHs,
1580 CodeCompleteOptions Opts, SpeculativeFuzzyFind *SpecFuzzyFind) {
1581 return CodeCompleteFlow(FileName, PreambleInclusions, SpecFuzzyFind, Opts)
Sam McCall3f0243f2018-07-03 08:09:29 +00001582 .run({FileName, Command, Preamble, Contents, Pos, VFS, PCHs});
Sam McCall98775c52017-12-04 13:49:59 +00001583}
1584
Sam McCalld1a7a372018-01-31 13:40:48 +00001585SignatureHelp signatureHelp(PathRef FileName,
Ilya Biryukov940901e2017-12-13 12:51:22 +00001586 const tooling::CompileCommand &Command,
1587 PrecompiledPreamble const *Preamble,
1588 StringRef Contents, Position Pos,
1589 IntrusiveRefCntPtr<vfs::FileSystem> VFS,
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +00001590 std::shared_ptr<PCHContainerOperations> PCHs,
Sam McCall046557b2018-09-03 16:37:59 +00001591 const SymbolIndex *Index) {
Sam McCall98775c52017-12-04 13:49:59 +00001592 SignatureHelp Result;
1593 clang::CodeCompleteOptions Options;
1594 Options.IncludeGlobals = false;
1595 Options.IncludeMacros = false;
1596 Options.IncludeCodePatterns = false;
Ilya Biryukov43714502018-05-16 12:32:44 +00001597 Options.IncludeBriefComments = false;
Sam McCall3f0243f2018-07-03 08:09:29 +00001598 IncludeStructure PreambleInclusions; // Unused for signatureHelp
Ilya Biryukov8a0f76b2018-08-17 09:32:30 +00001599 semaCodeComplete(
1600 llvm::make_unique<SignatureHelpCollector>(Options, Index, Result),
1601 Options,
1602 {FileName, Command, Preamble, Contents, Pos, std::move(VFS),
1603 std::move(PCHs)});
Sam McCall98775c52017-12-04 13:49:59 +00001604 return Result;
1605}
1606
Marc-Andre Laperle945b5a32018-06-05 14:01:40 +00001607bool isIndexedForCodeCompletion(const NamedDecl &ND, ASTContext &ASTCtx) {
1608 using namespace clang::ast_matchers;
1609 auto InTopLevelScope = hasDeclContext(
1610 anyOf(namespaceDecl(), translationUnitDecl(), linkageSpecDecl()));
1611 return !match(decl(anyOf(InTopLevelScope,
1612 hasDeclContext(
1613 enumDecl(InTopLevelScope, unless(isScoped()))))),
1614 ND, ASTCtx)
1615 .empty();
1616}
1617
Sam McCall27c979a2018-06-29 14:47:57 +00001618CompletionItem CodeCompletion::render(const CodeCompleteOptions &Opts) const {
1619 CompletionItem LSP;
Eric Liu83f63e42018-09-03 10:18:21 +00001620 const auto *InsertInclude = Includes.empty() ? nullptr : &Includes[0];
1621 LSP.label = ((InsertInclude && InsertInclude->Insertion)
1622 ? Opts.IncludeIndicator.Insert
1623 : Opts.IncludeIndicator.NoInsert) +
Sam McCall2161ec72018-07-05 06:20:41 +00001624 (Opts.ShowOrigins ? "[" + llvm::to_string(Origin) + "]" : "") +
Sam McCall27c979a2018-06-29 14:47:57 +00001625 RequiredQualifier + Name + Signature;
Sam McCall2161ec72018-07-05 06:20:41 +00001626
Sam McCall27c979a2018-06-29 14:47:57 +00001627 LSP.kind = Kind;
1628 LSP.detail = BundleSize > 1 ? llvm::formatv("[{0} overloads]", BundleSize)
1629 : ReturnType;
Eric Liu6df66002018-09-06 18:52:26 +00001630 LSP.deprecated = Deprecated;
Eric Liu83f63e42018-09-03 10:18:21 +00001631 if (InsertInclude)
1632 LSP.detail += "\n" + InsertInclude->Header;
Sam McCall27c979a2018-06-29 14:47:57 +00001633 LSP.documentation = Documentation;
1634 LSP.sortText = sortText(Score.Total, Name);
1635 LSP.filterText = Name;
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +00001636 LSP.textEdit = {CompletionTokenRange, RequiredQualifier + Name};
Fangrui Song445bdd12018-09-05 08:01:37 +00001637 // Merge continuous additionalTextEdits into main edit. The main motivation
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +00001638 // behind this is to help LSP clients, it seems most of them are confused when
1639 // they are provided with additionalTextEdits that are consecutive to main
1640 // edit.
1641 // Note that we store additional text edits from back to front in a line. That
1642 // is mainly to help LSP clients again, so that changes do not effect each
1643 // other.
1644 for (const auto &FixIt : FixIts) {
1645 if (IsRangeConsecutive(FixIt.range, LSP.textEdit->range)) {
1646 LSP.textEdit->newText = FixIt.newText + LSP.textEdit->newText;
1647 LSP.textEdit->range.start = FixIt.range.start;
1648 } else {
1649 LSP.additionalTextEdits.push_back(FixIt);
1650 }
1651 }
Kadir Cetinkaya516fcda2018-08-23 12:19:39 +00001652 if (Opts.EnableSnippets)
1653 LSP.textEdit->newText += SnippetSuffix;
Kadir Cetinkaya6c9f15c2018-08-17 15:42:54 +00001654
Kadir Cetinkayaa9c9d002018-08-13 08:23:01 +00001655 // FIXME(kadircet): Do not even fill insertText after making sure textEdit is
1656 // compatible with most of the editors.
1657 LSP.insertText = LSP.textEdit->newText;
Sam McCall27c979a2018-06-29 14:47:57 +00001658 LSP.insertTextFormat = Opts.EnableSnippets ? InsertTextFormat::Snippet
1659 : InsertTextFormat::PlainText;
Eric Liu83f63e42018-09-03 10:18:21 +00001660 if (InsertInclude && InsertInclude->Insertion)
1661 LSP.additionalTextEdits.push_back(*InsertInclude->Insertion);
Eric Liu6df66002018-09-06 18:52:26 +00001662
Sam McCall27c979a2018-06-29 14:47:57 +00001663 return LSP;
1664}
1665
Sam McCalle746a2b2018-07-02 11:13:16 +00001666raw_ostream &operator<<(raw_ostream &OS, const CodeCompletion &C) {
1667 // For now just lean on CompletionItem.
1668 return OS << C.render(CodeCompleteOptions());
1669}
1670
1671raw_ostream &operator<<(raw_ostream &OS, const CodeCompleteResult &R) {
1672 OS << "CodeCompleteResult: " << R.Completions.size() << (R.HasMore ? "+" : "")
Eric Liu5d2a8072018-07-23 10:56:37 +00001673 << " (" << getCompletionKindString(R.Context) << ")"
Sam McCalle746a2b2018-07-02 11:13:16 +00001674 << " items:\n";
1675 for (const auto &C : R.Completions)
1676 OS << C << "\n";
1677 return OS;
1678}
1679
Sam McCall98775c52017-12-04 13:49:59 +00001680} // namespace clangd
1681} // namespace clang