blob: 587aee73ae0075e2465675b26ebf96a0df5e1f02 [file] [log] [blame]
Ilya Biryukov38d79772017-05-16 09:38:59 +00001//===--- ClangdLSPServer.cpp - LSP server ------------------------*- C++-*-===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===---------------------------------------------------------------------===//
9
10#include "ClangdLSPServer.h"
11#include "JSONRPCDispatcher.h"
Sam McCallb536a2a2017-12-19 12:23:48 +000012#include "SourceCode.h"
Eric Liu78ed91a72018-01-29 15:37:46 +000013#include "URI.h"
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +000014#include "llvm/Support/FormatVariadic.h"
Eric Liu5740ff52018-01-31 16:26:27 +000015#include "llvm/Support/Path.h"
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +000016
Ilya Biryukov38d79772017-05-16 09:38:59 +000017using namespace clang::clangd;
18using namespace clang;
19
Ilya Biryukovafb55542017-05-16 14:40:30 +000020namespace {
21
Eric Liu5740ff52018-01-31 16:26:27 +000022/// \brief Supports a test URI scheme with relaxed constraints for lit tests.
23/// The path in a test URI will be combined with a platform-specific fake
24/// directory to form an absolute path. For example, test:///a.cpp is resolved
25/// C:\clangd-test\a.cpp on Windows and /clangd-test/a.cpp on Unix.
26class TestScheme : public URIScheme {
27public:
28 llvm::Expected<std::string>
29 getAbsolutePath(llvm::StringRef /*Authority*/, llvm::StringRef Body,
30 llvm::StringRef /*HintPath*/) const override {
31 using namespace llvm::sys;
32 // Still require "/" in body to mimic file scheme, as we want lengths of an
33 // equivalent URI in both schemes to be the same.
34 if (!Body.startswith("/"))
35 return llvm::make_error<llvm::StringError>(
36 "Expect URI body to be an absolute path starting with '/': " + Body,
37 llvm::inconvertibleErrorCode());
38 Body = Body.ltrim('/');
39#ifdef LLVM_ON_WIN32
40 constexpr char TestDir[] = "C:\\clangd-test";
41#else
42 constexpr char TestDir[] = "/clangd-test";
43#endif
44 llvm::SmallVector<char, 16> Path(Body.begin(), Body.end());
45 path::native(Path);
46 auto Err = fs::make_absolute(TestDir, Path);
Eric Liucda25262018-02-01 12:44:52 +000047 if (Err)
48 llvm_unreachable("Failed to make absolute path in test scheme.");
Eric Liu5740ff52018-01-31 16:26:27 +000049 return std::string(Path.begin(), Path.end());
50 }
51
52 llvm::Expected<URI>
53 uriFromAbsolutePath(llvm::StringRef AbsolutePath) const override {
54 llvm_unreachable("Clangd must never create a test URI.");
55 }
56};
57
58static URISchemeRegistry::Add<TestScheme>
59 X("test", "Test scheme for clangd lit tests.");
60
Raoul Wols212bcf82017-12-12 20:25:06 +000061TextEdit replacementToEdit(StringRef Code, const tooling::Replacement &R) {
62 Range ReplacementRange = {
63 offsetToPosition(Code, R.getOffset()),
64 offsetToPosition(Code, R.getOffset() + R.getLength())};
65 return {ReplacementRange, R.getReplacementText()};
66}
67
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +000068std::vector<TextEdit>
Ilya Biryukovafb55542017-05-16 14:40:30 +000069replacementsToEdits(StringRef Code,
70 const std::vector<tooling::Replacement> &Replacements) {
71 // Turn the replacements into the format specified by the Language Server
Sam McCalldd0566b2017-11-06 15:40:30 +000072 // Protocol. Fuse them into one big JSON array.
73 std::vector<TextEdit> Edits;
Raoul Wols212bcf82017-12-12 20:25:06 +000074 for (const auto &R : Replacements)
75 Edits.push_back(replacementToEdit(Code, R));
76 return Edits;
77}
78
79std::vector<TextEdit> replacementsToEdits(StringRef Code,
80 const tooling::Replacements &Repls) {
81 std::vector<TextEdit> Edits;
82 for (const auto &R : Repls)
83 Edits.push_back(replacementToEdit(Code, R));
Ilya Biryukovafb55542017-05-16 14:40:30 +000084 return Edits;
85}
86
87} // namespace
88
Sam McCalld1a7a372018-01-31 13:40:48 +000089void ClangdLSPServer::onInitialize(InitializeParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +000090 if (Params.rootUri && *Params.rootUri)
91 Server.setRootPath(Params.rootUri->file());
Ilya Biryukov23bc73b2018-02-15 14:32:57 +000092 else if (Params.rootPath && !Params.rootPath->empty())
93 Server.setRootPath(*Params.rootPath);
94
95 CCOpts.EnableSnippets =
96 Params.capabilities.textDocument.completion.completionItem.snippetSupport;
97
Sam McCalld1a7a372018-01-31 13:40:48 +000098 reply(json::obj{
Sam McCall0930ab02017-11-07 15:49:35 +000099 {{"capabilities",
100 json::obj{
101 {"textDocumentSync", 1},
102 {"documentFormattingProvider", true},
103 {"documentRangeFormattingProvider", true},
104 {"documentOnTypeFormattingProvider",
105 json::obj{
106 {"firstTriggerCharacter", "}"},
107 {"moreTriggerCharacter", {}},
108 }},
109 {"codeActionProvider", true},
110 {"completionProvider",
111 json::obj{
112 {"resolveProvider", false},
113 {"triggerCharacters", {".", ">", ":"}},
114 }},
115 {"signatureHelpProvider",
116 json::obj{
117 {"triggerCharacters", {"(", ","}},
118 }},
119 {"definitionProvider", true},
Ilya Biryukov0e6a51f2017-12-12 12:27:47 +0000120 {"documentHighlightProvider", true},
Marc-Andre Laperle3e618ed2018-02-16 21:38:15 +0000121 {"hoverProvider", true},
Haojian Wu345099c2017-11-09 11:30:04 +0000122 {"renameProvider", true},
Sam McCall0930ab02017-11-07 15:49:35 +0000123 {"executeCommandProvider",
124 json::obj{
Eric Liuc5105f92018-02-16 14:15:55 +0000125 {"commands",
126 {ExecuteCommandParams::CLANGD_APPLY_FIX_COMMAND,
127 ExecuteCommandParams::CLANGD_INSERT_HEADER_INCLUDE}},
Sam McCall0930ab02017-11-07 15:49:35 +0000128 }},
129 }}}});
Ilya Biryukovafb55542017-05-16 14:40:30 +0000130}
131
Sam McCalld1a7a372018-01-31 13:40:48 +0000132void ClangdLSPServer::onShutdown(ShutdownParams &Params) {
Ilya Biryukov0d9b8a32017-10-25 08:45:41 +0000133 // Do essentially nothing, just say we're ready to exit.
134 ShutdownRequestReceived = true;
Sam McCalld1a7a372018-01-31 13:40:48 +0000135 reply(nullptr);
Sam McCall8a5dded2017-10-12 13:29:58 +0000136}
Ilya Biryukovafb55542017-05-16 14:40:30 +0000137
Sam McCalld1a7a372018-01-31 13:40:48 +0000138void ClangdLSPServer::onExit(ExitParams &Params) { IsDone = true; }
Ilya Biryukov0d9b8a32017-10-25 08:45:41 +0000139
Sam McCalld1a7a372018-01-31 13:40:48 +0000140void ClangdLSPServer::onDocumentDidOpen(DidOpenTextDocumentParams &Params) {
Krasimir Georgievc2a16a32017-07-06 08:44:54 +0000141 if (Params.metadata && !Params.metadata->extraFlags.empty())
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000142 CDB.setExtraFlagsForFile(Params.textDocument.uri.file(),
Sam McCall4db732a2017-09-30 10:08:52 +0000143 std::move(Params.metadata->extraFlags));
Sam McCall568e17f2018-02-22 13:11:12 +0000144 Server.addDocument(Params.textDocument.uri.file(), Params.textDocument.text,
145 WantDiagnostics::Yes);
Ilya Biryukovafb55542017-05-16 14:40:30 +0000146}
147
Sam McCalld1a7a372018-01-31 13:40:48 +0000148void ClangdLSPServer::onDocumentDidChange(DidChangeTextDocumentParams &Params) {
Benjamin Kramerb560a9a2017-10-26 10:36:20 +0000149 if (Params.contentChanges.size() != 1)
Sam McCalld1a7a372018-01-31 13:40:48 +0000150 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov940901e2017-12-13 12:51:22 +0000151 "can only apply one change at a time");
Ilya Biryukovafb55542017-05-16 14:40:30 +0000152 // We only support full syncing right now.
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000153 Server.addDocument(Params.textDocument.uri.file(),
Sam McCall568e17f2018-02-22 13:11:12 +0000154 Params.contentChanges[0].text, WantDiagnostics::Auto);
Ilya Biryukovafb55542017-05-16 14:40:30 +0000155}
156
Sam McCalld1a7a372018-01-31 13:40:48 +0000157void ClangdLSPServer::onFileEvent(DidChangeWatchedFilesParams &Params) {
Marc-Andre Laperlebf114242017-10-02 18:00:37 +0000158 Server.onFileEvent(Params);
159}
160
Sam McCalld1a7a372018-01-31 13:40:48 +0000161void ClangdLSPServer::onCommand(ExecuteCommandParams &Params) {
Eric Liuc5105f92018-02-16 14:15:55 +0000162 auto ApplyEdit = [](WorkspaceEdit WE) {
163 ApplyWorkspaceEditParams Edit;
164 Edit.edit = std::move(WE);
165 // We don't need the response so id == 1 is OK.
166 // Ideally, we would wait for the response and if there is no error, we
167 // would reply success/failure to the original RPC.
168 call("workspace/applyEdit", Edit);
169 };
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +0000170 if (Params.command == ExecuteCommandParams::CLANGD_APPLY_FIX_COMMAND &&
171 Params.workspaceEdit) {
172 // The flow for "apply-fix" :
173 // 1. We publish a diagnostic, including fixits
174 // 2. The user clicks on the diagnostic, the editor asks us for code actions
175 // 3. We send code actions, with the fixit embedded as context
176 // 4. The user selects the fixit, the editor asks us to apply it
177 // 5. We unwrap the changes and send them back to the editor
178 // 6. The editor applies the changes (applyEdit), and sends us a reply (but
179 // we ignore it)
180
Sam McCalld1a7a372018-01-31 13:40:48 +0000181 reply("Fix applied.");
Eric Liuc5105f92018-02-16 14:15:55 +0000182 ApplyEdit(*Params.workspaceEdit);
183 } else if (Params.command ==
184 ExecuteCommandParams::CLANGD_INSERT_HEADER_INCLUDE) {
185 auto &FileURI = Params.includeInsertion->textDocument.uri;
186 auto Code = Server.getDocument(FileURI.file());
187 if (!Code)
188 return replyError(ErrorCode::InvalidParams,
189 ("command " +
190 ExecuteCommandParams::CLANGD_INSERT_HEADER_INCLUDE +
191 " called on non-added file " + FileURI.file())
192 .str());
193 auto Replaces = Server.insertInclude(FileURI.file(), *Code,
194 Params.includeInsertion->header);
195 if (!Replaces) {
196 std::string ErrMsg =
197 ("Failed to generate include insertion edits for adding " +
198 Params.includeInsertion->header + " into " + FileURI.file())
199 .str();
200 log(ErrMsg + ":" + llvm::toString(Replaces.takeError()));
201 replyError(ErrorCode::InternalError, ErrMsg);
202 return;
203 }
204 auto Edits = replacementsToEdits(*Code, *Replaces);
205 WorkspaceEdit WE;
206 WE.changes = {{FileURI.uri(), Edits}};
207
208 reply("Inserted header " + Params.includeInsertion->header);
209 ApplyEdit(std::move(WE));
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +0000210 } else {
211 // We should not get here because ExecuteCommandParams would not have
212 // parsed in the first place and this handler should not be called. But if
213 // more commands are added, this will be here has a safe guard.
Ilya Biryukov940901e2017-12-13 12:51:22 +0000214 replyError(
Sam McCalld1a7a372018-01-31 13:40:48 +0000215 ErrorCode::InvalidParams,
Haojian Wu2375c922017-11-07 10:21:02 +0000216 llvm::formatv("Unsupported command \"{0}\".", Params.command).str());
Marc-Andre Laperlee7ec16a2017-11-03 13:39:15 +0000217 }
218}
219
Sam McCalld1a7a372018-01-31 13:40:48 +0000220void ClangdLSPServer::onRename(RenameParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000221 Path File = Params.textDocument.uri.file();
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000222 llvm::Optional<std::string> Code = Server.getDocument(File);
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000223 if (!Code)
Sam McCalld1a7a372018-01-31 13:40:48 +0000224 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000225 "onRename called for non-added file");
226
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000227 Server.rename(
228 File, Params.position, Params.newName,
229 [File, Code,
230 Params](llvm::Expected<std::vector<tooling::Replacement>> Replacements) {
231 if (!Replacements)
232 return replyError(ErrorCode::InternalError,
233 llvm::toString(Replacements.takeError()));
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000234
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000235 std::vector<TextEdit> Edits = replacementsToEdits(*Code, *Replacements);
236 WorkspaceEdit WE;
237 WE.changes = {{Params.textDocument.uri.uri(), Edits}};
238 reply(WE);
239 });
Haojian Wu345099c2017-11-09 11:30:04 +0000240}
241
Sam McCalld1a7a372018-01-31 13:40:48 +0000242void ClangdLSPServer::onDocumentDidClose(DidCloseTextDocumentParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000243 Server.removeDocument(Params.textDocument.uri.file());
Ilya Biryukovafb55542017-05-16 14:40:30 +0000244}
245
Sam McCall4db732a2017-09-30 10:08:52 +0000246void ClangdLSPServer::onDocumentOnTypeFormatting(
Sam McCalld1a7a372018-01-31 13:40:48 +0000247 DocumentOnTypeFormattingParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000248 auto File = Params.textDocument.uri.file();
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000249 auto Code = Server.getDocument(File);
250 if (!Code)
Sam McCalld1a7a372018-01-31 13:40:48 +0000251 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000252 "onDocumentOnTypeFormatting called for non-added file");
253
254 auto ReplacementsOrError = Server.formatOnType(*Code, File, Params.position);
Raoul Wols212bcf82017-12-12 20:25:06 +0000255 if (ReplacementsOrError)
Sam McCalld1a7a372018-01-31 13:40:48 +0000256 reply(json::ary(replacementsToEdits(*Code, ReplacementsOrError.get())));
Raoul Wols212bcf82017-12-12 20:25:06 +0000257 else
Sam McCalld1a7a372018-01-31 13:40:48 +0000258 replyError(ErrorCode::UnknownErrorCode,
Ilya Biryukov940901e2017-12-13 12:51:22 +0000259 llvm::toString(ReplacementsOrError.takeError()));
Ilya Biryukovafb55542017-05-16 14:40:30 +0000260}
261
Sam McCall4db732a2017-09-30 10:08:52 +0000262void ClangdLSPServer::onDocumentRangeFormatting(
Sam McCalld1a7a372018-01-31 13:40:48 +0000263 DocumentRangeFormattingParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000264 auto File = Params.textDocument.uri.file();
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000265 auto Code = Server.getDocument(File);
266 if (!Code)
Sam McCalld1a7a372018-01-31 13:40:48 +0000267 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000268 "onDocumentRangeFormatting called for non-added file");
269
270 auto ReplacementsOrError = Server.formatRange(*Code, File, Params.range);
Raoul Wols212bcf82017-12-12 20:25:06 +0000271 if (ReplacementsOrError)
Sam McCalld1a7a372018-01-31 13:40:48 +0000272 reply(json::ary(replacementsToEdits(*Code, ReplacementsOrError.get())));
Raoul Wols212bcf82017-12-12 20:25:06 +0000273 else
Sam McCalld1a7a372018-01-31 13:40:48 +0000274 replyError(ErrorCode::UnknownErrorCode,
Ilya Biryukov940901e2017-12-13 12:51:22 +0000275 llvm::toString(ReplacementsOrError.takeError()));
Ilya Biryukovafb55542017-05-16 14:40:30 +0000276}
277
Sam McCalld1a7a372018-01-31 13:40:48 +0000278void ClangdLSPServer::onDocumentFormatting(DocumentFormattingParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000279 auto File = Params.textDocument.uri.file();
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000280 auto Code = Server.getDocument(File);
281 if (!Code)
Sam McCalld1a7a372018-01-31 13:40:48 +0000282 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000283 "onDocumentFormatting called for non-added file");
284
285 auto ReplacementsOrError = Server.formatFile(*Code, File);
Raoul Wols212bcf82017-12-12 20:25:06 +0000286 if (ReplacementsOrError)
Sam McCalld1a7a372018-01-31 13:40:48 +0000287 reply(json::ary(replacementsToEdits(*Code, ReplacementsOrError.get())));
Raoul Wols212bcf82017-12-12 20:25:06 +0000288 else
Sam McCalld1a7a372018-01-31 13:40:48 +0000289 replyError(ErrorCode::UnknownErrorCode,
Ilya Biryukov940901e2017-12-13 12:51:22 +0000290 llvm::toString(ReplacementsOrError.takeError()));
Sam McCall4db732a2017-09-30 10:08:52 +0000291}
292
Sam McCalld1a7a372018-01-31 13:40:48 +0000293void ClangdLSPServer::onCodeAction(CodeActionParams &Params) {
Ilya Biryukovafb55542017-05-16 14:40:30 +0000294 // We provide a code action for each diagnostic at the requested location
295 // which has FixIts available.
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000296 auto Code = Server.getDocument(Params.textDocument.uri.file());
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000297 if (!Code)
Sam McCalld1a7a372018-01-31 13:40:48 +0000298 return replyError(ErrorCode::InvalidParams,
Ilya Biryukov261c72e2018-01-17 12:30:24 +0000299 "onCodeAction called for non-added file");
300
Sam McCalldd0566b2017-11-06 15:40:30 +0000301 json::ary Commands;
Ilya Biryukovafb55542017-05-16 14:40:30 +0000302 for (Diagnostic &D : Params.context.diagnostics) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000303 auto Edits = getFixIts(Params.textDocument.uri.file(), D);
Sam McCalldd0566b2017-11-06 15:40:30 +0000304 if (!Edits.empty()) {
305 WorkspaceEdit WE;
Eric Liu78ed91a72018-01-29 15:37:46 +0000306 WE.changes = {{Params.textDocument.uri.uri(), std::move(Edits)}};
Sam McCalldd0566b2017-11-06 15:40:30 +0000307 Commands.push_back(json::obj{
308 {"title", llvm::formatv("Apply FixIt {0}", D.message)},
309 {"command", ExecuteCommandParams::CLANGD_APPLY_FIX_COMMAND},
310 {"arguments", {WE}},
311 });
312 }
Ilya Biryukovafb55542017-05-16 14:40:30 +0000313 }
Sam McCalld1a7a372018-01-31 13:40:48 +0000314 reply(std::move(Commands));
Ilya Biryukovafb55542017-05-16 14:40:30 +0000315}
316
Sam McCalld1a7a372018-01-31 13:40:48 +0000317void ClangdLSPServer::onCompletion(TextDocumentPositionParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000318 Server.codeComplete(Params.textDocument.uri.file(), Params.position, CCOpts,
Sam McCalld1a7a372018-01-31 13:40:48 +0000319 [](Tagged<CompletionList> List) { reply(List.Value); });
Ilya Biryukovafb55542017-05-16 14:40:30 +0000320}
321
Sam McCalld1a7a372018-01-31 13:40:48 +0000322void ClangdLSPServer::onSignatureHelp(TextDocumentPositionParams &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000323 Server.signatureHelp(Params.textDocument.uri.file(), Params.position,
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000324 [](llvm::Expected<Tagged<SignatureHelp>> SignatureHelp) {
325 if (!SignatureHelp)
326 return replyError(
327 ErrorCode::InvalidParams,
328 llvm::toString(SignatureHelp.takeError()));
329 reply(SignatureHelp->Value);
330 });
Ilya Biryukovd9bdfe02017-10-06 11:54:17 +0000331}
332
Sam McCalld1a7a372018-01-31 13:40:48 +0000333void ClangdLSPServer::onGoToDefinition(TextDocumentPositionParams &Params) {
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000334 Server.findDefinitions(
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000335 Params.textDocument.uri.file(), Params.position,
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000336 [](llvm::Expected<Tagged<std::vector<Location>>> Items) {
337 if (!Items)
338 return replyError(ErrorCode::InvalidParams,
339 llvm::toString(Items.takeError()));
340 reply(json::ary(Items->Value));
341 });
Marc-Andre Laperle2cbf0372017-06-28 16:12:10 +0000342}
343
Sam McCalld1a7a372018-01-31 13:40:48 +0000344void ClangdLSPServer::onSwitchSourceHeader(TextDocumentIdentifier &Params) {
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000345 llvm::Optional<Path> Result = Server.switchSourceHeader(Params.uri.file());
Sam McCalld1a7a372018-01-31 13:40:48 +0000346 reply(Result ? URI::createFile(*Result).toString() : "");
Marc-Andre Laperle6571b3e2017-09-28 03:14:40 +0000347}
348
Sam McCalld1a7a372018-01-31 13:40:48 +0000349void ClangdLSPServer::onDocumentHighlight(TextDocumentPositionParams &Params) {
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000350 Server.findDocumentHighlights(
Ilya Biryukov7d60d202018-02-16 12:20:47 +0000351 Params.textDocument.uri.file(), Params.position,
Ilya Biryukov2c5e8e82018-02-15 13:15:47 +0000352 [](llvm::Expected<Tagged<std::vector<DocumentHighlight>>> Highlights) {
353 if (!Highlights)
354 return replyError(ErrorCode::InternalError,
355 llvm::toString(Highlights.takeError()));
356 reply(json::ary(Highlights->Value));
357 });
Ilya Biryukov0e6a51f2017-12-12 12:27:47 +0000358}
359
Marc-Andre Laperle3e618ed2018-02-16 21:38:15 +0000360void ClangdLSPServer::onHover(TextDocumentPositionParams &Params) {
361 Server.findHover(Params.textDocument.uri.file(), Params.position,
362 [](llvm::Expected<Tagged<Hover>> H) {
363 if (!H) {
364 replyError(ErrorCode::InternalError,
365 llvm::toString(H.takeError()));
366 return;
367 }
368
369 reply(H->Value);
370 });
371}
372
Simon Marchi5178f922018-02-22 14:00:39 +0000373// FIXME: This function needs to be properly tested.
374void ClangdLSPServer::onChangeConfiguration(
375 DidChangeConfigurationParams &Params) {
376 ClangdConfigurationParamsChange &Settings = Params.settings;
377
378 // Compilation database change.
379 if (Settings.compilationDatabasePath.hasValue()) {
380 CDB.setCompileCommandsDir(Settings.compilationDatabasePath.getValue());
381 Server.reparseOpenedFiles();
382 }
383}
384
Ilya Biryukovdb8b2d72017-08-14 08:45:47 +0000385ClangdLSPServer::ClangdLSPServer(JSONOutput &Out, unsigned AsyncThreadsCount,
Ilya Biryukove9eb7f02017-11-16 16:25:18 +0000386 bool StorePreamblesInMemory,
Sam McCalladccab62017-11-23 16:58:22 +0000387 const clangd::CodeCompleteOptions &CCOpts,
Ilya Biryukov0c1ca6b2017-10-02 15:13:20 +0000388 llvm::Optional<StringRef> ResourceDir,
Eric Liubfac8f72017-12-19 18:00:37 +0000389 llvm::Optional<Path> CompileCommandsDir,
Haojian Wuba28e9a2018-01-10 14:44:34 +0000390 bool BuildDynamicSymbolIndex,
391 SymbolIndex *StaticIdx)
Ilya Biryukov940901e2017-12-13 12:51:22 +0000392 : Out(Out), CDB(std::move(CompileCommandsDir)), CCOpts(CCOpts),
393 Server(CDB, /*DiagConsumer=*/*this, FSProvider, AsyncThreadsCount,
Haojian Wuba28e9a2018-01-10 14:44:34 +0000394 StorePreamblesInMemory, BuildDynamicSymbolIndex, StaticIdx,
395 ResourceDir) {}
Ilya Biryukov38d79772017-05-16 09:38:59 +0000396
Sam McCall5ed599e2018-02-06 10:47:30 +0000397bool ClangdLSPServer::run(std::istream &In, JSONStreamStyle InputStyle) {
Ilya Biryukovafb55542017-05-16 14:40:30 +0000398 assert(!IsDone && "Run was called before");
Ilya Biryukov38d79772017-05-16 09:38:59 +0000399
Ilya Biryukovafb55542017-05-16 14:40:30 +0000400 // Set up JSONRPCDispatcher.
Sam McCalld1a7a372018-01-31 13:40:48 +0000401 JSONRPCDispatcher Dispatcher([](const json::Expr &Params) {
402 replyError(ErrorCode::MethodNotFound, "method not found");
Ilya Biryukov940901e2017-12-13 12:51:22 +0000403 });
Sam McCall4db732a2017-09-30 10:08:52 +0000404 registerCallbackHandlers(Dispatcher, Out, /*Callbacks=*/*this);
Ilya Biryukov38d79772017-05-16 09:38:59 +0000405
Ilya Biryukovafb55542017-05-16 14:40:30 +0000406 // Run the Language Server loop.
Sam McCall5ed599e2018-02-06 10:47:30 +0000407 runLanguageServerLoop(In, Out, InputStyle, Dispatcher, IsDone);
Ilya Biryukovafb55542017-05-16 14:40:30 +0000408
409 // Make sure IsDone is set to true after this method exits to ensure assertion
410 // at the start of the method fires if it's ever executed again.
411 IsDone = true;
Ilya Biryukov0d9b8a32017-10-25 08:45:41 +0000412
413 return ShutdownRequestReceived;
Ilya Biryukov38d79772017-05-16 09:38:59 +0000414}
415
Sam McCall8111d3b2017-12-13 08:48:42 +0000416std::vector<TextEdit> ClangdLSPServer::getFixIts(StringRef File,
417 const clangd::Diagnostic &D) {
Ilya Biryukov38d79772017-05-16 09:38:59 +0000418 std::lock_guard<std::mutex> Lock(FixItsMutex);
419 auto DiagToFixItsIter = FixItsMap.find(File);
420 if (DiagToFixItsIter == FixItsMap.end())
421 return {};
422
423 const auto &DiagToFixItsMap = DiagToFixItsIter->second;
424 auto FixItsIter = DiagToFixItsMap.find(D);
425 if (FixItsIter == DiagToFixItsMap.end())
426 return {};
427
428 return FixItsIter->second;
429}
430
Sam McCall4db732a2017-09-30 10:08:52 +0000431void ClangdLSPServer::onDiagnosticsReady(
Sam McCalld1a7a372018-01-31 13:40:48 +0000432 PathRef File, Tagged<std::vector<DiagWithFixIts>> Diagnostics) {
Sam McCalldd0566b2017-11-06 15:40:30 +0000433 json::ary DiagnosticsJSON;
Ilya Biryukov38d79772017-05-16 09:38:59 +0000434
435 DiagnosticToReplacementMap LocalFixIts; // Temporary storage
Sam McCall4db732a2017-09-30 10:08:52 +0000436 for (auto &DiagWithFixes : Diagnostics.Value) {
Ilya Biryukov38d79772017-05-16 09:38:59 +0000437 auto Diag = DiagWithFixes.Diag;
Sam McCalldd0566b2017-11-06 15:40:30 +0000438 DiagnosticsJSON.push_back(json::obj{
439 {"range", Diag.range},
440 {"severity", Diag.severity},
441 {"message", Diag.message},
442 });
Ilya Biryukov38d79772017-05-16 09:38:59 +0000443 // We convert to Replacements to become independent of the SourceManager.
444 auto &FixItsForDiagnostic = LocalFixIts[Diag];
445 std::copy(DiagWithFixes.FixIts.begin(), DiagWithFixes.FixIts.end(),
446 std::back_inserter(FixItsForDiagnostic));
447 }
448
449 // Cache FixIts
450 {
451 // FIXME(ibiryukov): should be deleted when documents are removed
452 std::lock_guard<std::mutex> Lock(FixItsMutex);
453 FixItsMap[File] = LocalFixIts;
454 }
455
456 // Publish diagnostics.
Sam McCalldd0566b2017-11-06 15:40:30 +0000457 Out.writeMessage(json::obj{
458 {"jsonrpc", "2.0"},
459 {"method", "textDocument/publishDiagnostics"},
460 {"params",
461 json::obj{
Eric Liu78ed91a72018-01-29 15:37:46 +0000462 {"uri", URIForFile{File}},
Sam McCalldd0566b2017-11-06 15:40:30 +0000463 {"diagnostics", std::move(DiagnosticsJSON)},
464 }},
465 });
Ilya Biryukov38d79772017-05-16 09:38:59 +0000466}