#pragma once #include #include #include #include #include "optional.h" using std::experimental::optional; using std::experimental::nullopt; namespace language_server_api { // TODO: Cleanup serializer.h/cc as well. #define SERIALIZE_MEMBER(name) \ SerializeMember(writer, #name, value.name) #define SERIALIZE_MEMBER2(name, value) \ SerializeMember(writer, #name, value) #define DESERIALIZE_MEMBER(name) \ DeserializeMember(reader, #name, value.name) using Reader = rapidjson::GenericValue>; using Writer = rapidjson::Writer; // Special templates used by (DE)SERIALIZE_MEMBER macros. template void SerializeMember(Writer& writer, const char* name, const T& value) { writer.Key(name); Serialize(writer, value); } template void SerializeMember(Writer& writer, const char* name, const optional& value) { if (value.has_value()) { writer.Key(name); Serialize(writer, value.value()); } } template void DeserializeMember(const Reader& reader, const char* name, T& value) { auto it = reader.FindMember(name); if (it != reader.MemberEnd()) Deserialize(it->value, value); } // Start normal serialization routines. void Serialize(Writer& writer, int value) { writer.Int(value); } void Serialize(Writer& writer, const std::string& value) { writer.String(value.c_str(), value.size()); } template void Serialize(Writer& writer, const std::vector& values) { writer.StartArray(); for (const auto& value : values) Serialize(writer, value); writer.EndArray(); } void Deserialize(const Reader& reader, int& value) { value = reader.GetInt(); } void Deserialize(const Reader& reader, bool& value) { value = reader.GetBool(); } void Deserialize(const Reader& reader, std::string& value) { value = std::string(reader.GetString()); } template void Deserialize(const Reader& reader, std::vector& value) { for (const auto& entry : reader.GetArray()) { T entry_value; Deserialize(entry, entry_value); value.push_back(entry_value); } } template void Deserialize(const Reader& reader, optional& value) { T real_value; Deserialize(reader, real_value); value = real_value; } #if false void Deserialize(const Reader& reader, DocumentUri& output) { //static var driveLetterPathRe = ~/^\/[a-zA-Z]:/; //static var uriRe = ~/^(([^:\/?#]+?):)?(\/\/([^\/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))?/; /** ported from VSCode sources **/ public static function toFsPath(uri:DocumentUri) :FsPath{ if (!uriRe.match(uri.toString()) || uriRe.matched(2) != "file") throw 'Invalid uri: $uri'; var path = uriRe.matched(5).urlDecode(); if (driveLetterPathRe.match(path)) return new FsPath(path.charAt(1).toLowerCase() + path.substr(2)); else return new FsPath(path); } } #endif ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////// OUTGOING MESSAGES ///////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// struct RequestId { optional id0; optional id1; }; void Serialize(Writer& writer, const RequestId& value) { if (value.id0) { Serialize(writer, value.id0.value()); } else { assert(value.id1.has_value()); Serialize(writer, value.id1.value()); } } void Deserialize(const Reader& reader, RequestId& id) { if (reader.IsInt()) id.id0 = reader.GetInt(); else if (reader.IsString()) id.id1 = std::string(reader.GetString()); else std::cerr << "Unable to deserialize id" << std::endl; } struct OutMessage { // Write out the body of the message. The writer expects object key/value // pairs. virtual void WriteMessageBody(Writer& writer) = 0; // Send the message to the language client by writing it to stdout. void Send() { rapidjson::StringBuffer output; Writer writer(output); writer.StartObject(); writer.Key("jsonrpc"); writer.String("2.0"); WriteMessageBody(writer); writer.EndObject(); std::cout << "Content-Length: " << output.GetSize(); std::cout << (char)13 << char(10) << char(13) << char(10); std::cout << output.GetString(); std::cout.flush(); } }; struct OutRequestMessage : OutMessage { RequestId id; virtual std::string Method() = 0; virtual void SerializeParams(Writer& writer) = 0; // Message: void WriteMessageBody(Writer& writer) override { auto& value = *this; SERIALIZE_MEMBER(id); SERIALIZE_MEMBER2("method", Method()); writer.Key("params"); SerializeParams(writer); } }; struct ResponseError { struct Data { virtual void Write(Writer& writer) = 0; }; enum class ErrorCodes : int { ParseError = -32700, InvalidRequest = -32600, MethodNotFound = -32601, InvalidParams = -32602, InternalError = -32603, serverErrorStart = -32099, serverErrorEnd = -32000, ServerNotInitialized = -32002, UnknownErrorCode = -32001 }; ErrorCodes code; // Short description. std::string message; std::unique_ptr data; void Write(Writer& writer) { auto& value = *this; writer.StartObject(); SERIALIZE_MEMBER2(code, static_cast(code)); SERIALIZE_MEMBER(message); if (data) { writer.Key("data"); data->Write(writer); } writer.EndObject(); } }; struct OutResponseMessage : OutMessage { RequestId id; virtual optional Error() { return nullopt; } virtual void WriteResult(Writer& writer) = 0; // Message: void WriteMessageBody(Writer& writer) override { auto& value = *this; SERIALIZE_MEMBER(id); optional error = Error(); if (error) { writer.Key("error"); error->Write(writer); } else { writer.Key("result"); WriteResult(writer); } } }; struct OutNotificationMessage : OutMessage { virtual std::string Method() = 0; virtual void SerializeParams(Writer& writer) = 0; // Message: void WriteMessageBody(Writer& writer) override { writer.Key("method"); std::string method = Method(); writer.Key(method.c_str(), method.size()); writer.Key("params"); SerializeParams(writer); } }; ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////// INCOMING MESSAGES ///////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// enum class MethodId { CancelRequest, Initialize, Initialized, TextDocumentDocumentSymbol, WorkspaceSymbol, }; const char* MethodIdToString(MethodId id) { switch (id) { case MethodId::CancelRequest: return "$/cancelRequest"; case MethodId::Initialize: return "initialize"; case MethodId::Initialized: return "initialized"; case MethodId::TextDocumentDocumentSymbol: return "textDocument/documentSymbol"; case MethodId::WorkspaceSymbol: return "workspace/symbol"; default: exit(1); } } struct InMessage; struct MessageRegistry { static MessageRegistry* instance_; static MessageRegistry* instance(); using Allocator = std::function(optional id, const Reader& params)>; std::unordered_map allocators; template void Register() { std::string method_name = MethodIdToString(T::kMethod); allocators[method_name] = [](optional id, const Reader& params) { return MakeUnique(id, params); }; } std::unique_ptr Parse(const Reader& reader) { std::string jsonrpc = reader["jsonrpc"].GetString(); if (jsonrpc != "2.0") exit(1); optional id; if (reader.FindMember("id") != reader.MemberEnd()) Deserialize(reader["id"], id); std::string method; Deserialize(reader["method"], method); if (allocators.find(method) == allocators.end()) { std::cerr << "Unable to find registered handler for method \"" << method << "\"" << std::endl; return nullptr; } Allocator& allocator = allocators[method]; // We run the allocator with actual params object or a null // params object if there are no params. Unifying the two ifs is // tricky because the second allocator param is a reference. if (reader.FindMember("params") != reader.MemberEnd()) { const Reader& params = reader["params"]; return allocator(id, params); } else { Reader params; params.SetNull(); return allocator(id, params); } } }; MessageRegistry* MessageRegistry::instance_ = nullptr; MessageRegistry* MessageRegistry::instance() { if (!instance_) instance_ = new MessageRegistry(); return instance_; } struct InMessage { const MethodId method_id; optional id; InMessage(MethodId method_id, optional id, const Reader& reader) // We verify there are no duplicate hashes inside of MessageRegistry. : method_id(method_id), id(id) {} }; struct InRequestMessage : public InMessage { InRequestMessage(MethodId method, optional id, const Reader& reader) : InMessage(method, id, reader) {} }; struct InNotificationMessage : public InMessage { InNotificationMessage(MethodId method, optional id, const Reader& reader) : InMessage(method, id, reader) {} }; struct In_CancelRequest : public InNotificationMessage { static const MethodId kMethod = MethodId::CancelRequest; In_CancelRequest(optional id, const Reader& reader) : InNotificationMessage(kMethod, id, reader) {} }; ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ////////////////////////////// PRIMITIVE TYPES ////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// // Keep all types in the language_server_api namespace in sync with language server spec. // TODO struct DocumentUri { std::string raw_uri; std::string GetPath() { // TODO: make this not a hack. std::string result = raw_uri; size_t index = result.find("%3A"); if (index != -1) { result.replace(result.begin() + index, result.begin() + index + 3, ":"); } index = result.find("file://"); if (index != -1) { result.replace(result.begin() + index, result.begin() + index + 8, ""); } std::replace(result.begin(), result.end(), '\\', '/'); return result; } }; void Serialize(Writer& writer, const DocumentUri& value) { Serialize(writer, value.raw_uri); } void Deserialize(const Reader& reader, DocumentUri& value) { Deserialize(reader, value.raw_uri); } struct Position { // Note: these are 0-based. int line = 0; int character = 0; }; void Serialize(Writer& writer, const Position& value) { writer.StartObject(); SERIALIZE_MEMBER(line); SERIALIZE_MEMBER(character); writer.EndObject(); } void Deserialize(const Reader& reader, Position& value) { DESERIALIZE_MEMBER(line); DESERIALIZE_MEMBER(character); } struct Range { Position start; Position end; }; void Serialize(Writer& writer, const Range& value) { writer.StartObject(); SERIALIZE_MEMBER(start); SERIALIZE_MEMBER(end); writer.EndObject(); } void Deserialize(const Reader& reader, Range& value) { DESERIALIZE_MEMBER(start); DESERIALIZE_MEMBER(end); } struct Location { DocumentUri uri; Range range; }; void Serialize(Writer& writer, const Location& value) { writer.StartObject(); SERIALIZE_MEMBER(uri); SERIALIZE_MEMBER(range); writer.EndObject(); } void Deserialize(const Reader& reader, Location& value) { DESERIALIZE_MEMBER(uri); DESERIALIZE_MEMBER(range); } enum class SymbolKind : int { File = 1, Module = 2, Namespace = 3, Package = 4, Class = 5, Method = 6, Property = 7, Field = 8, Constructor = 9, Enum = 10, Interface = 11, Function = 12, Variable = 13, Constant = 14, String = 15, Number = 16, Boolean = 17, Array = 18 }; void Serialize(Writer& writer, const SymbolKind& value) { writer.Int(static_cast(value)); } void Deserialize(const Reader& reader, SymbolKind& value) { value = static_cast(reader.GetInt()); } struct SymbolInformation { std::string name; SymbolKind kind; Location location; std::string containerName; }; void Serialize(Writer& writer, const SymbolInformation& value) { writer.StartObject(); SERIALIZE_MEMBER(name); SERIALIZE_MEMBER(kind); SERIALIZE_MEMBER(location); SERIALIZE_MEMBER(containerName); writer.EndObject(); } void Deserialize(const Reader& reader, SymbolInformation& value) { DESERIALIZE_MEMBER(name); DESERIALIZE_MEMBER(kind); DESERIALIZE_MEMBER(location); DESERIALIZE_MEMBER(containerName); } struct Command { // Title of the command (ie, 'save') std::string title; // Actual command identifier. std::string command; // Arguments to run the command with. Could be JSON objects. std::vector arguments; }; void Serialize(Writer& writer, const Command& value) { writer.StartObject(); SERIALIZE_MEMBER(title); SERIALIZE_MEMBER(command); SERIALIZE_MEMBER(arguments); writer.EndObject(); } void Deserialize(const Reader& reader, Command& value) { DESERIALIZE_MEMBER(title); DESERIALIZE_MEMBER(command); DESERIALIZE_MEMBER(arguments); } // TODO: TextDocumentEdit // TODO: WorkspaceEdit struct TextDocumentIdentifier { DocumentUri uri; }; void Serialize(Writer& writer, const TextDocumentIdentifier& value) { writer.StartObject(); SERIALIZE_MEMBER(uri); writer.EndObject(); } void Deserialize(const Reader& reader, TextDocumentIdentifier& value) { DESERIALIZE_MEMBER(uri); } // TODO: TextDocumentItem // TODO: VersionedTextDocumentIdentifier // TODO: TextDocumentPositionParams // TODO: DocumentFilter // TODO: DocumentSelector ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ////////////////////////////// INITIALIZATION /////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// ///////////////////////////////////////////////////////////////////////////// // Workspace specific client capabilities. struct WorkspaceClientCapabilites { // The client supports applying batch edits to the workspace. optional applyEdit; struct WorkspaceEdit { // The client supports versioned document changes in `WorkspaceEdit`s optional documentChanges; }; // Capabilities specific to `WorkspaceEdit`s optional workspaceEdit; struct GenericDynamicReg { // Did foo notification supports dynamic registration. optional dynamicRegistration; }; // Capabilities specific to the `workspace/didChangeConfiguration` notification. optional didChangeConfiguration; // Capabilities specific to the `workspace/didChangeWatchedFiles` notification. optional didChangeWatchedFiles; // Capabilities specific to the `workspace/symbol` request. optional symbol; // Capabilities specific to the `workspace/executeCommand` request. optional executeCommand; }; void Deserialize(const Reader& reader, WorkspaceClientCapabilites::WorkspaceEdit& value) { DESERIALIZE_MEMBER(documentChanges); } void Deserialize(const Reader& reader, WorkspaceClientCapabilites::GenericDynamicReg& value) { DESERIALIZE_MEMBER(dynamicRegistration); } void Deserialize(const Reader& reader, WorkspaceClientCapabilites& value) { DESERIALIZE_MEMBER(applyEdit); DESERIALIZE_MEMBER(workspaceEdit); DESERIALIZE_MEMBER(didChangeConfiguration); DESERIALIZE_MEMBER(didChangeWatchedFiles); DESERIALIZE_MEMBER(symbol); DESERIALIZE_MEMBER(executeCommand); } // Text document specific client capabilities. struct TextDocumentClientCapabilities { struct Synchronization { // Whether text document synchronization supports dynamic registration. optional dynamicRegistration; // The client supports sending will save notifications. optional willSave; // The client supports sending a will save request and // waits for a response providing text edits which will // be applied to the document before it is saved. optional willSaveWaitUntil; // The client supports did save notifications. optional didSave; }; Synchronization synchronization; struct Completion { // Whether completion supports dynamic registration. optional dynamicRegistration; struct CompletionItem { // Client supports snippets as insert text. // // A snippet can define tab stops and placeholders with `$1`, `$2` // and `${3:foo}`. `$0` defines the final tab stop, it defaults to // the end of the snippet. Placeholders with equal identifiers are linked, // that is typing in one will update others too. optional snippetSupport; }; // The client supports the following `CompletionItem` specific // capabilities. optional completionItem; }; // Capabilities specific to the `textDocument/completion` optional completion; struct GenericDynamicReg { // Whether foo supports dynamic registration. optional dynamicRegistration; }; // Capabilities specific to the `textDocument/hover` optional hover; // Capabilities specific to the `textDocument/signatureHelp` optional signatureHelp; // Capabilities specific to the `textDocument/references` optional references; // Capabilities specific to the `textDocument/documentHighlight` optional documentHighlight; // Capabilities specific to the `textDocument/documentSymbol` optional documentSymbol; // Capabilities specific to the `textDocument/formatting` optional formatting; // Capabilities specific to the `textDocument/rangeFormatting` optional rangeFormatting; // Capabilities specific to the `textDocument/onTypeFormatting` optional onTypeFormatting; // Capabilities specific to the `textDocument/definition` optional definition; // Capabilities specific to the `textDocument/codeAction` optional codeAction; // Capabilities specific to the `textDocument/codeLens` optional codeLens; // Capabilities specific to the `textDocument/documentLink` optional documentLink; // Capabilities specific to the `textDocument/rename` optional rename; }; void Deserialize(const Reader& reader, TextDocumentClientCapabilities::Synchronization& value) { DESERIALIZE_MEMBER(dynamicRegistration); DESERIALIZE_MEMBER(willSave); DESERIALIZE_MEMBER(willSaveWaitUntil); DESERIALIZE_MEMBER(didSave); } void Deserialize(const Reader& reader, TextDocumentClientCapabilities::Completion& value) { DESERIALIZE_MEMBER(dynamicRegistration); DESERIALIZE_MEMBER(completionItem); } void Deserialize(const Reader& reader, TextDocumentClientCapabilities::Completion::CompletionItem& value) { DESERIALIZE_MEMBER(snippetSupport); } void Deserialize(const Reader& reader, TextDocumentClientCapabilities::GenericDynamicReg& value) { DESERIALIZE_MEMBER(dynamicRegistration); } void Deserialize(const Reader& reader, TextDocumentClientCapabilities& value) { DESERIALIZE_MEMBER(synchronization); DESERIALIZE_MEMBER(completion); DESERIALIZE_MEMBER(hover); DESERIALIZE_MEMBER(signatureHelp); DESERIALIZE_MEMBER(references); DESERIALIZE_MEMBER(documentHighlight); DESERIALIZE_MEMBER(documentSymbol); DESERIALIZE_MEMBER(formatting); DESERIALIZE_MEMBER(rangeFormatting); DESERIALIZE_MEMBER(onTypeFormatting); DESERIALIZE_MEMBER(definition); DESERIALIZE_MEMBER(codeAction); DESERIALIZE_MEMBER(codeLens); DESERIALIZE_MEMBER(documentLink); DESERIALIZE_MEMBER(rename); } struct ClientCapabilities { // Workspace specific client capabilities. optional workspace; // Text document specific client capabilities. optional textDocument; /** * Experimental client capabilities. */ // experimental?: any; // TODO }; void Deserialize(const Reader& reader, ClientCapabilities& value) { DESERIALIZE_MEMBER(workspace); DESERIALIZE_MEMBER(textDocument); } struct InitializeParams { // The process Id of the parent process that started // the server. Is null if the process has not been started by another process. // If the parent process is not alive then the server should exit (see exit notification) its process. optional processId; // The rootPath of the workspace. Is null // if no folder is open. // // @deprecated in favour of rootUri. optional rootPath; // The rootUri of the workspace. Is null if no // folder is open. If both `rootPath` and `rootUri` are set // `rootUri` wins. optional rootUri; // User provided initialization options. // initializationOptions?: any; // TODO // The capabilities provided by the client (editor or tool) ClientCapabilities capabilities; enum class Trace { // NOTE: serialized as a string, one of 'off' | 'messages' | 'verbose'; Off, // off Messages, // messages Verbose // verbose }; // The initial trace setting. If omitted trace is disabled ('off'). Trace trace = Trace::Off; }; void Deserialize(const Reader& reader, InitializeParams::Trace& value) { std::string v = reader.GetString(); if (v == "off") value = InitializeParams::Trace::Off; else if (v == "messages") value = InitializeParams::Trace::Messages; else if (v == "verbose") value = InitializeParams::Trace::Verbose; } void Deserialize(const Reader& reader, InitializeParams& value) { DESERIALIZE_MEMBER(processId); DESERIALIZE_MEMBER(rootPath); DESERIALIZE_MEMBER(rootUri); DESERIALIZE_MEMBER(capabilities); DESERIALIZE_MEMBER(trace); } #if false /** * Known error codes for an `InitializeError`; */ export namespace InitializeError { /** * If the protocol version provided by the client can't be handled by the server. * @deprecated This initialize error got replaced by client capabilities. There is * no version handshake in version 3.0x */ export const unknownProtocolVersion : number = 1; } #endif struct InitializeError { // Indicates whether the client should retry to send the // initilize request after showing the message provided // in the ResponseError. bool retry; }; void Serialize(Writer& writer, const InitializeError& value) { writer.StartObject(); SERIALIZE_MEMBER(retry); writer.EndObject(); } // Defines how the host (editor) should sync document changes to the language server. enum class TextDocumentSyncKind { // Documents should not be synced at all. None = 0, // Documents are synced by always sending the full content // of the document. Full = 1, // Documents are synced by sending the full content on open. // After that only incremental updates to the document are // send. Incremental = 2 }; void Serialize(Writer& writer, const TextDocumentSyncKind& value) { writer.Int(static_cast(value)); } // Completion options. struct CompletionOptions { // The server provides support to resolve additional // information for a completion item. bool resolveProvider = false; // The characters that trigger completion automatically. std::vector triggerCharacters; }; void Serialize(Writer& writer, const CompletionOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(resolveProvider); SERIALIZE_MEMBER(triggerCharacters); writer.EndObject(); } // Signature help options. struct SignatureHelpOptions { // The characters that trigger signature help automatically. std::vector triggerCharacters; }; void Serialize(Writer& writer, const SignatureHelpOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(triggerCharacters); writer.EndObject(); } // Code Lens options. struct CodeLensOptions { // Code lens has a resolve provider as well. bool resolveProvider = false; }; void Serialize(Writer& writer, const CodeLensOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(resolveProvider); writer.EndObject(); } // Format document on type options struct DocumentOnTypeFormattingOptions { // A character on which formatting should be triggered, like `}`. std::string firstTriggerCharacter; // More trigger characters. std::vector moreTriggerCharacter; }; void Serialize(Writer& writer, const DocumentOnTypeFormattingOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(firstTriggerCharacter); SERIALIZE_MEMBER(moreTriggerCharacter); writer.EndObject(); } // Document link options struct DocumentLinkOptions { // Document links have a resolve provider as well. bool resolveProvider = false; }; void Serialize(Writer& writer, const DocumentLinkOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(resolveProvider); writer.EndObject(); } // Execute command options. struct ExecuteCommandOptions { // The commands to be executed on the server std::vector commands; }; void Serialize(Writer& writer, const ExecuteCommandOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(commands); writer.EndObject(); } // Save options. struct SaveOptions { // The client is supposed to include the content on save. bool includeText = false; }; void Serialize(Writer& writer, const SaveOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(includeText); writer.EndObject(); } struct TextDocumentSyncOptions { // Open and close notifications are sent to the server. bool openClose = false; // Change notificatins are sent to the server. See TextDocumentSyncKind.None, TextDocumentSyncKind.Full // and TextDocumentSyncKindIncremental. optional change; // Will save notifications are sent to the server. bool willSave = false; // Will save wait until requests are sent to the server. bool willSaveWaitUntil = false; // Save notifications are sent to the server. optional save; }; void Serialize(Writer& writer, const TextDocumentSyncOptions& value) { writer.StartObject(); SERIALIZE_MEMBER(openClose); SERIALIZE_MEMBER(change); SERIALIZE_MEMBER(willSave); SERIALIZE_MEMBER(willSaveWaitUntil); SERIALIZE_MEMBER(save); writer.EndObject(); } struct ServerCapabilities { // Defines how text documents are synced. Is either a detailed structure defining each notification or // for backwards compatibility the TextDocumentSyncKind number. optional textDocumentSync; // The server provides hover support. bool hoverProvider = false; // The server provides completion support. optional completionProvider; // The server provides signature help support. optional signatureHelpProvider; // The server provides goto definition support. bool definitionProvider = false; // The server provides find references support. bool referencesProvider = false; // The server provides document highlight support. bool documentHighlightProvider = false; // The server provides document symbol support. bool documentSymbolProvider = false; // The server provides workspace symbol support. bool workspaceSymbolProvider = false; // The server provides code actions. bool codeActionProvider = false; // The server provides code lens. optional codeLensProvider; // The server provides document formatting. bool documentFormattingProvider = false; // The server provides document range formatting. bool documentRangeFormattingProvider = false; // The server provides document formatting on typing. optional documentOnTypeFormattingProvider; // The server provides rename support. bool renameProvider = false; // The server provides document link support. optional documentLinkProvider; // The server provides execute command support. optional executeCommandProvider; }; void Serialize(Writer& writer, const ServerCapabilities& value) { writer.StartObject(); SERIALIZE_MEMBER(textDocumentSync); SERIALIZE_MEMBER(hoverProvider); SERIALIZE_MEMBER(completionProvider); SERIALIZE_MEMBER(signatureHelpProvider); SERIALIZE_MEMBER(definitionProvider); SERIALIZE_MEMBER(referencesProvider); SERIALIZE_MEMBER(documentHighlightProvider); SERIALIZE_MEMBER(documentSymbolProvider); SERIALIZE_MEMBER(workspaceSymbolProvider); SERIALIZE_MEMBER(codeActionProvider); SERIALIZE_MEMBER(codeLensProvider); SERIALIZE_MEMBER(documentFormattingProvider); SERIALIZE_MEMBER(documentRangeFormattingProvider); SERIALIZE_MEMBER(documentOnTypeFormattingProvider); SERIALIZE_MEMBER(renameProvider); SERIALIZE_MEMBER(documentLinkProvider); SERIALIZE_MEMBER(executeCommandProvider); writer.EndObject(); } struct InitializeResult { // The capabilities the language server provides. ServerCapabilities capabilities; }; void Serialize(Writer& writer, const InitializeResult& value) { writer.StartObject(); SERIALIZE_MEMBER(capabilities); writer.EndObject(); } struct In_InitializeRequest : public InRequestMessage { const static MethodId kMethod = MethodId::Initialize; InitializeParams params; In_InitializeRequest(optional id, const Reader& reader) : InRequestMessage(kMethod, id, reader) { auto type = reader.GetType(); Deserialize(reader, params); std::cerr << "done" << std::endl; } }; struct Out_InitializeResponse : public OutResponseMessage { InitializeResult result; // OutResponseMessage: void WriteResult(Writer& writer) override { Serialize(writer, result); } }; struct In_InitializedNotification : public InNotificationMessage { const static MethodId kMethod = MethodId::Initialized; In_InitializedNotification(optional id, const Reader& reader) : InNotificationMessage(kMethod, id, reader) {} }; struct DocumentSymbolParams { TextDocumentIdentifier textDocument; }; void Deserialize(const Reader& reader, DocumentSymbolParams& value) { DESERIALIZE_MEMBER(textDocument); } struct In_DocumentSymbolRequest : public InRequestMessage { const static MethodId kMethod = MethodId::TextDocumentDocumentSymbol; DocumentSymbolParams params; In_DocumentSymbolRequest(optional id, const Reader& reader) : InRequestMessage(kMethod, id, reader) { Deserialize(reader, params); } }; struct Out_DocumentSymbolResponse : public OutResponseMessage { std::vector result; // OutResponseMessage: void WriteResult(Writer& writer) override { Serialize(writer, result); } }; struct WorkspaceSymbolParams { std::string query; }; void Deserialize(const Reader& reader, WorkspaceSymbolParams& value) { DESERIALIZE_MEMBER(query); } struct In_WorkspaceSymbolRequest : public InRequestMessage { const static MethodId kMethod = MethodId::WorkspaceSymbol; WorkspaceSymbolParams params; In_WorkspaceSymbolRequest(optional id, const Reader& reader) : InRequestMessage(kMethod, id, reader) { Deserialize(reader, params); } }; struct Out_WorkspaceSymbolResponse : public OutResponseMessage { std::vector result; // OutResponseMessage: void WriteResult(Writer& writer) override { Serialize(writer, result); } }; enum class MessageType { Error = 1, Warning = 2, Info = 3, Log = 4 }; void Serialize(Writer& writer, MessageType value) { writer.Int(static_cast(value)); } struct ShowMessageOutNotification : public OutNotificationMessage { MessageType type = MessageType::Error; std::string message; // OutNotificationMessage: std::string Method() override { return "window/showMessage"; } void SerializeParams(Writer& writer) override { auto& value = *this; writer.StartObject(); SERIALIZE_MEMBER(type); SERIALIZE_MEMBER(message); writer.EndObject(); } }; struct LogMessageOutNotification : public OutNotificationMessage { MessageType type = MessageType::Error; std::string message; // OutNotificationMessage: std::string Method() override { return "window/logMessage"; } void SerializeParams(Writer& writer) override { auto& value = *this; writer.StartObject(); SERIALIZE_MEMBER(type); SERIALIZE_MEMBER(message); writer.EndObject(); } }; //#undef SERIALIZE_MEMBER //#undef SERIALIZE_MEMBER2 //#undef DESERIALIZE_MEMBER }