33#include "clang/Basic/Stack.h"
34#include "clang/Format/Format.h"
35#include "llvm/ADT/SmallString.h"
36#include "llvm/ADT/StringRef.h"
37#include "llvm/Support/CommandLine.h"
38#include "llvm/Support/FileSystem.h"
39#include "llvm/Support/InitLLVM.h"
40#include "llvm/Support/Path.h"
41#include "llvm/Support/Process.h"
42#include "llvm/Support/Program.h"
43#include "llvm/Support/Signals.h"
44#include "llvm/Support/TargetSelect.h"
45#include "llvm/Support/raw_ostream.h"
74using llvm::cl::CommaSeparated;
76using llvm::cl::Hidden;
80using llvm::cl::OptionCategory;
81using llvm::cl::ValueOptional;
82using llvm::cl::values;
86OptionCategory CompileCommands(
"clangd compilation flags options");
87OptionCategory Features(
"clangd feature options");
88OptionCategory Misc(
"clangd miscellaneous options");
89OptionCategory Protocol(
"clangd protocol and logging options");
90OptionCategory Retired(
"clangd flags no longer in use");
91const OptionCategory *ClangdCategories[] = {&Features, &Protocol,
92 &CompileCommands, &Misc, &Retired};
94template <
typename T>
class RetiredFlag {
98 RetiredFlag(llvm::StringRef Name)
99 : Option(Name, cat(Retired),
desc(
"Obsolete flag, ignored"), Hidden,
100 llvm::cl::callback([Name](const
T &) {
102 <<
"The flag `-" << Name <<
"` is obsolete and ignored.\n";
106enum CompileArgsFrom { LSPCompileArgs, FilesystemCompileArgs };
107opt<CompileArgsFrom> CompileArgsFrom{
109 cat(CompileCommands),
110 desc(
"The source of compile commands"),
111 values(clEnumValN(LSPCompileArgs,
"lsp",
112 "All compile commands come from LSP and "
113 "'compile_commands.json' files are ignored"),
114 clEnumValN(FilesystemCompileArgs,
"filesystem",
115 "All compile commands come from the "
116 "'compile_commands.json' files")),
117 init(FilesystemCompileArgs),
121opt<Path> CompileCommandsDir{
122 "compile-commands-dir",
123 cat(CompileCommands),
124 desc(
"Specify a path to look for compile_commands.json. If path "
125 "is invalid, clangd will look in the current directory and "
126 "parent paths of each source file"),
129opt<Path> ResourceDir{
131 cat(CompileCommands),
132 desc(
"Directory for system clang headers"),
137list<std::string> QueryDriverGlobs{
139 cat(CompileCommands),
141 "Comma separated list of globs for white-listing gcc-compatible "
142 "drivers that are safe to execute. Drivers matching any of these globs "
143 "will be used to extract system includes. e.g. "
144 "/usr/bin/**/clang-*,/path/to/repo/**/g++-*"),
150opt<bool> AllScopesCompletion{
151 "all-scopes-completion",
153 desc(
"If set to true, code completion will include index symbols that are "
154 "not defined in the scopes (e.g. "
155 "namespaces) visible from the code completion point. Such completions "
156 "can insert scope qualifiers"),
160opt<bool> ShowOrigins{
163 desc(
"Show origins of completion items"),
168opt<bool> EnableBackgroundIndex{
171 desc(
"Index project code in the background and persist index on disk."),
175opt<llvm::ThreadPriority> BackgroundIndexPriority{
176 "background-index-priority",
178 desc(
"Thread priority for building the background index. "
179 "The effect of this flag is OS-specific."),
180 values(clEnumValN(llvm::ThreadPriority::Background,
"background",
181 "Minimum priority, runs on idle CPUs. "
182 "May leave 'performance' cores unused."),
183 clEnumValN(llvm::ThreadPriority::Low,
"low",
184 "Reduced priority compared to interactive work."),
185 clEnumValN(llvm::ThreadPriority::Default,
"normal",
186 "Same priority as other clangd work.")),
187 init(llvm::ThreadPriority::Low),
190opt<bool> EnableClangTidy{
193 desc(
"Enable clang-tidy diagnostics"),
197opt<CodeCompleteOptions::CodeCompletionParse> CodeCompletionParse{
200 desc(
"Whether the clang-parser is used for code-completion"),
201 values(clEnumValN(CodeCompleteOptions::AlwaysParse,
"always",
202 "Block until the parser can be used"),
203 clEnumValN(CodeCompleteOptions::ParseIfReady,
"auto",
204 "Use text-based completion if the parser "
206 clEnumValN(CodeCompleteOptions::NeverParse,
"never",
207 "Always used text-based completion")),
212opt<CodeCompleteOptions::CodeCompletionRankingModel> RankingModel{
215 desc(
"Model to use to rank code-completion items"),
216 values(clEnumValN(CodeCompleteOptions::Heuristics,
"heuristics",
217 "Use heuristics to rank code completion items"),
218 clEnumValN(CodeCompleteOptions::DecisionForest,
"decision_forest",
219 "Use Decision Forest model to rank completion items")),
225enum CompletionStyleFlag { Detailed, Bundled };
226opt<CompletionStyleFlag> CompletionStyle{
229 desc(
"Granularity of code completion suggestions"),
230 values(clEnumValN(Detailed,
"detailed",
231 "One completion item for each semantically distinct "
232 "completion, with full type information"),
233 clEnumValN(Bundled,
"bundled",
234 "Similar completion items (e.g. function overloads) are "
235 "combined. Type information shown where possible")),
238opt<std::string> FallbackStyle{
241 desc(
"clang-format style to apply by default when "
242 "no .clang-format file is found"),
243 init(clang::format::DefaultFallbackStyle),
246opt<std::string> EnableFunctionArgSnippets{
247 "function-arg-placeholders",
249 desc(
"When disabled (0), completions contain only parentheses for "
250 "function calls. When enabled (1), completions also contain "
251 "placeholders for method parameters"),
255opt<Config::HeaderInsertionPolicy> HeaderInsertion{
258 desc(
"Add #include directives when accepting code completions"),
262 "Include what you use. "
263 "Insert the owning header for top-level symbols, unless the "
264 "header is already directly included or the symbol is "
268 "Never insert #include directives as part of code completion")),
271opt<bool> ImportInsertions{
274 desc(
"If header insertion is enabled, add #import directives when "
275 "accepting code completions or fixing includes in Objective-C code"),
279opt<bool> HeaderInsertionDecorators{
280 "header-insertion-decorators",
282 desc(
"Prepend a circular dot or space before the completion "
283 "label, depending on whether "
284 "an include line will be inserted or not"),
288opt<bool> HiddenFeatures{
291 desc(
"Enable hidden features mostly useful to clangd developers"),
296opt<bool> IncludeIneligibleResults{
297 "include-ineligible-results",
299 desc(
"Include ineligible completion results (e.g. private members)"),
304RetiredFlag<bool> EnableIndex(
"index");
305RetiredFlag<bool> SuggestMissingIncludes(
"suggest-missing-includes");
306RetiredFlag<bool> RecoveryAST(
"recovery-ast");
307RetiredFlag<bool> RecoveryASTType(
"recovery-ast-type");
308RetiredFlag<bool> AsyncPreamble(
"async-preamble");
309RetiredFlag<bool> CollectMainFileRefs(
"collect-main-file-refs");
310RetiredFlag<bool> CrossFileRename(
"cross-file-rename");
311RetiredFlag<std::string> ClangTidyChecks(
"clang-tidy-checks");
312RetiredFlag<bool> InlayHints(
"inlay-hints");
313RetiredFlag<bool> FoldingRanges(
"folding-ranges");
314RetiredFlag<bool> IncludeCleanerStdlib(
"include-cleaner-stdlib");
316opt<int> LimitResults{
319 desc(
"Limit the number of results returned by clangd. "
320 "0 means no limit (default=100)"),
324opt<int> ReferencesLimit{
327 desc(
"Limit the number of references returned by clangd. "
328 "0 means no limit (default=1000)"),
332opt<int> RenameFileLimit{
335 desc(
"Limit the number of files to be affected by symbol renaming. "
336 "0 means no limit (default=50)"),
340list<std::string> TweakList{
343 desc(
"Specify a list of Tweaks to enable (only for clangd developers)."),
348opt<unsigned> WorkerThreadsCount{
351 desc(
"Number of async workers used by clangd. Background index also "
352 "uses this many workers."),
360 "Index file to build the static index. The file must have been created "
361 "by a compatible clangd-indexer\n"
362 "WARNING: This option is experimental only, and will be removed "
363 "eventually. Don't rely on it"),
371 desc(
"Abbreviation for -input-style=delimited -pretty -sync "
372 "-enable-test-scheme -enable-config=0 -log=verbose -crash-pragmas. "
373 "Also sets config options: Index.StandardLibrary=false. "
374 "Intended to simplify lit tests"),
379opt<bool> CrashPragmas{
382 desc(
"Respect `#pragma clang __debug crash` and friends."),
390 desc(
"Parse one file in isolation instead of acting as a language server. "
391 "Useful to investigate/reproduce crashes or configuration problems. "
392 "With --check=<filename>, attempts to parse a particular file."),
397enum PCHStorageFlag { Disk, Memory };
398opt<PCHStorageFlag> PCHStorage{
401 desc(
"Storing PCHs in memory increases memory usages, but may "
402 "improve performance"),
404 clEnumValN(PCHStorageFlag::Disk,
"disk",
"store PCHs on disk"),
405 clEnumValN(PCHStorageFlag::Memory,
"memory",
"store PCHs in memory")),
406 init(PCHStorageFlag::Disk),
412 desc(
"Handle client requests on main thread. Background index still uses "
418opt<JSONStreamStyle> InputStyle{
421 desc(
"Input JSON stream encoding"),
425 "messages delimited by --- lines, with # comment support")),
430opt<bool> EnableTestScheme{
431 "enable-test-uri-scheme",
433 desc(
"Enable 'test:' URI scheme. Only use in lit tests"),
438opt<std::string> PathMappingsArg{
442 "Translates between client paths (as seen by a remote editor) and "
443 "server paths (where clangd sees files on disk). "
444 "Comma separated list of '<client_path>=<server_path>' pairs, the "
445 "first entry matching a given path is used. "
446 "e.g. /home/project/incl=/opt/include,/home/project=/workarea/project"),
450opt<Path> InputMirrorFile{
453 desc(
"Mirror all LSP input to the specified file. Useful for debugging"),
458opt<Logger::Level> LogLevel{
461 desc(
"Verbosity of log messages written to stderr"),
462 values(clEnumValN(
Logger::Error,
"error",
"Error messages only"),
463 clEnumValN(
Logger::Info,
"info",
"High level execution tracing"),
468opt<OffsetEncoding> ForceOffsetEncoding{
471 desc(
"Force the offsetEncoding used for character positions. "
472 "This bypasses negotiation via client capabilities"),
476 "Offsets are in UTF-16 code units"),
478 "Offsets are in unicode codepoints")),
482opt<bool> PrettyPrint{
485 desc(
"Pretty-print JSON output"),
489opt<bool> EnableConfig{
493 "Read user and project configuration from YAML files.\n"
494 "Project config is from a .clangd file in the project directory.\n"
495 "User config is from clangd/config.yaml in the following directories:\n"
496 "\tWindows: %USERPROFILE%\\AppData\\Local\n"
497 "\tMac OS: ~/Library/Preferences/\n"
498 "\tOthers: $XDG_CONFIG_HOME, usually ~/.config\n"
499 "Configuration is documented at https://clangd.llvm.org/config.html"),
503opt<bool> StrongWorkspaceMode{
504 "strong-workspace-mode",
506 desc(
"An alternate mode of operation for clangd, where the clangd instance "
507 "is used to edit a single workspace.\n"
508 "When enabled, fallback commands use the workspace directory as their "
509 "working directory instead of the parent folder."),
514opt<bool> UseDirtyHeaders{
"use-dirty-headers", cat(Misc),
515 desc(
"Use files open in the editor when parsing "
516 "headers instead of reading from the disk"),
520opt<bool> PreambleParseForwardingFunctions{
521 "parse-forwarding-functions",
523 desc(
"Parse all emplace-like functions in included headers"),
528#if defined(__GLIBC__) && CLANGD_MALLOC_TRIM
529opt<bool> EnableMallocTrim{
532 desc(
"Release memory periodically via malloc_trim(3)."),
536std::function<void()> getMemoryCleanupFunction() {
537 if (!EnableMallocTrim)
541 constexpr size_t MallocTrimPad = 20'000'000;
543 if (malloc_trim(MallocTrimPad))
544 vlog(
"Released memory via malloc_trim");
548std::function<void()> getMemoryCleanupFunction() {
return nullptr; }
551#if CLANGD_ENABLE_REMOTE
552opt<std::string> RemoteIndexAddress{
553 "remote-index-address",
555 desc(
"Address of the remote index server"),
559opt<std::string> ProjectRoot{
562 desc(
"Path to the project root. Requires remote-index-address to be set."),
566opt<bool> ExperimentalModulesSupport{
567 "experimental-modules-support",
569 desc(
"Experimental support for standard c++ modules"),
579 llvm::Expected<std::string>
581 llvm::StringRef )
const override {
582 using namespace llvm::sys;
585 if (!Body.starts_with(
"/"))
587 "Expect URI body to be an absolute path starting with '/': {0}",
589 Body = Body.ltrim(
'/');
590 llvm::SmallString<16>
Path(Body);
592 path::make_absolute(TestScheme::TestDir,
Path);
593 return std::string(
Path);
598 llvm::StringRef Body = AbsolutePath;
599 if (!Body.consume_front(TestScheme::TestDir))
600 return error(
"Path {0} doesn't start with root {1}", AbsolutePath,
603 return URI(
"test",
"",
604 llvm::sys::path::convert_to_slash(Body));
608 const static char TestDir[];
612const char TestScheme::TestDir[] =
"C:\\clangd-test";
614const char TestScheme::TestDir[] =
"/clangd-test";
617std::unique_ptr<SymbolIndex>
620 static const trace::Metric RemoteIndexUsed(
"used_remote_index",
622 switch (External.Kind) {
626 RemoteIndexUsed.record(1, External.Location);
627 log(
"Associating {0} with remote index at {1}.", External.MountPoint,
631 log(
"Associating {0} with monolithic index at {1}.", External.MountPoint,
633 auto NewIndex = std::make_unique<SwapIndex>(std::make_unique<MemIndex>());
634 auto IndexLoadTask = [
File = External.Location,
635 PlaceHolder = NewIndex.get(), SupportContainedRefs] {
637 SupportContainedRefs))
638 PlaceHolder->reset(std::move(Idx));
641 Tasks->runAsync(
"Load-index:" + External.Location,
642 std::move(IndexLoadTask));
646 return std::move(NewIndex);
648 llvm_unreachable(
"Invalid ExternalIndexKind.");
651std::optional<bool> shouldEnableFunctionArgSnippets() {
652 std::string Val = EnableFunctionArgSnippets;
656 if (Val ==
"1" || Val ==
"true" || Val ==
"True" || Val ==
"TRUE")
658 if (Val ==
"0" || Val ==
"false" || Val ==
"False" || Val ==
"FALSE")
661 elog(
"Value specified by --function-arg-placeholders is invalid. Provide a "
662 "boolean value or leave unspecified to use ArgumentListsPolicy from "
671 std::vector<config::CompiledFragment>
672 getFragments(
const config::Params &,
678 FlagsConfigProvider() {
679 std::optional<Config::CDBSearchSpec> CDBSearch;
680 std::optional<Config::ExternalIndexSpec> IndexSpec;
681 std::optional<Config::BackgroundPolicy> BGPolicy;
682 std::optional<Config::ArgumentListsPolicy> ArgumentLists;
686 if (!CompileCommandsDir.empty()) {
687 if (llvm::sys::fs::exists(CompileCommandsDir)) {
692 llvm::SmallString<128>
Path(CompileCommandsDir);
693 if (std::error_code EC = llvm::sys::fs::make_absolute(
Path)) {
694 elog(
"Error while converting the relative path specified by "
695 "--compile-commands-dir to an absolute path: {0}. The argument "
702 elog(
"Path specified by --compile-commands-dir does not exist. The "
703 "argument will be ignored.");
706 if (!IndexFile.empty()) {
707 Config::ExternalIndexSpec Spec;
708 Spec.Kind = Spec.File;
709 Spec.Location = IndexFile;
710 IndexSpec = std::move(Spec);
712#if CLANGD_ENABLE_REMOTE
713 if (!RemoteIndexAddress.empty()) {
714 assert(!ProjectRoot.empty() && IndexFile.empty());
715 Config::ExternalIndexSpec Spec;
716 Spec.Kind = Spec.Server;
717 Spec.Location = RemoteIndexAddress;
718 Spec.MountPoint = ProjectRoot;
719 IndexSpec = std::move(Spec);
723 if (!EnableBackgroundIndex) {
727 if (std::optional<bool> Enable = shouldEnableFunctionArgSnippets()) {
732 Frag = [=](
const config::Params &,
Config &
C) {
734 C.CompileFlags.CDBSearch = *CDBSearch;
736 C.Index.External = *IndexSpec;
738 C.Index.Background = *BGPolicy;
740 C.Completion.ArgumentLists = *ArgumentLists;
741 if (HeaderInsertion.getNumOccurrences())
742 C.Completion.HeaderInsertion = HeaderInsertion;
743 if (AllScopesCompletion.getNumOccurrences())
744 C.Completion.AllScopes = AllScopesCompletion;
747 C.Index.StandardLibrary =
false;
763 clang::noteBottomOfStack();
764 llvm::InitLLVM
X(argc, argv);
765 llvm::InitializeAllTargetInfos();
766 llvm::sys::AddSignalHandler(
770 llvm::errs().flush();
774 llvm::cl::SetVersionPrinter([](llvm::raw_ostream &OS) {
779 const char *FlagsEnvVar =
"CLANGD_FLAGS";
780 const char *Overview =
781 R
"(clangd is a language server that provides IDE-like features to editors.
783It should be used via an editor plugin rather than invoked directly. For more information, see:
784 https://clangd.llvm.org/
785 https://microsoft.github.io/language-server-protocol/
787clangd accepts flags on the commandline, and in the CLANGD_FLAGS environment variable.
789 llvm::cl::HideUnrelatedOptions(ClangdCategories);
790 llvm::cl::ParseCommandLineOptions(argc, argv, Overview, nullptr,
791 nullptr, FlagsEnvVar);
793 if (!Sync.getNumOccurrences())
795 if (!CrashPragmas.getNumOccurrences())
801 if (!EnableConfig.getNumOccurrences())
802 EnableConfig =
false;
804 if (!EnableBackgroundIndex.getNumOccurrences())
805 EnableBackgroundIndex =
false;
807 else if (EnableBackgroundIndex)
810 if (Test || EnableTestScheme) {
811 static URISchemeRegistry::Add<TestScheme>
X(
812 "test",
"Test scheme for clangd lit tests.");
817 if (!Sync && WorkerThreadsCount == 0) {
818 llvm::errs() <<
"A number of worker threads cannot be 0. Did you mean to "
824 if (WorkerThreadsCount.getNumOccurrences())
825 llvm::errs() <<
"Ignoring -j because -sync is set.\n";
826 WorkerThreadsCount = 0;
828 if (FallbackStyle.getNumOccurrences())
829 clang::format::DefaultFallbackStyle = FallbackStyle.c_str();
832 std::optional<llvm::raw_fd_ostream> InputMirrorStream;
833 if (!InputMirrorFile.empty()) {
835 InputMirrorStream.emplace(InputMirrorFile, EC,
836 llvm::sys::fs::FA_Read | llvm::sys::fs::FA_Write);
838 InputMirrorStream.reset();
839 llvm::errs() <<
"Error while opening an input mirror file: "
842 InputMirrorStream->SetUnbuffered();
846#if !CLANGD_DECISION_FOREST
847 if (RankingModel == clangd::CodeCompleteOptions::DecisionForest) {
848 llvm::errs() <<
"Clangd was compiled without decision forest support.\n";
856 std::optional<llvm::raw_fd_ostream> TracerStream;
857 std::unique_ptr<trace::EventTracer> Tracer;
858 const char *JSONTraceFile = getenv(
"CLANGD_TRACE");
859 const char *MetricsCSVFile = getenv(
"CLANGD_METRICS");
860 const char *TracerFile = JSONTraceFile ? JSONTraceFile : MetricsCSVFile;
863 TracerStream.emplace(TracerFile, EC,
864 llvm::sys::fs::FA_Read | llvm::sys::fs::FA_Write);
866 TracerStream.reset();
867 llvm::errs() <<
"Error while opening trace file " << TracerFile <<
": "
870 Tracer = (TracerFile == JSONTraceFile)
876 std::optional<trace::Session> TracingSession;
878 TracingSession.emplace(*Tracer);
883 if (llvm::outs().is_displayed() && llvm::errs().is_displayed() &&
884 !CheckFile.getNumOccurrences())
885 llvm::errs() << Overview <<
"\n";
888 llvm::errs().SetBuffered();
894 log(
"PID: {0}", llvm::sys::Process::getProcessId());
896 SmallString<128> CWD;
897 if (
auto Err = llvm::sys::fs::current_path(CWD))
898 log(
"Working directory unknown: {0}", Err.message());
900 log(
"Working directory: {0}", CWD);
902 for (
int I = 0; I < argc; ++I)
903 log(
"argv[{0}]: {1}", I, argv[I]);
904 if (
auto EnvFlags = llvm::sys::Process::GetEnv(FlagsEnvVar))
905 log(
"{0}: {1}", FlagsEnvVar, *EnvFlags);
911 switch (PCHStorage) {
912 case PCHStorageFlag::Memory:
915 case PCHStorageFlag::Disk:
919 if (!ResourceDir.empty())
923#if CLANGD_ENABLE_REMOTE
924 if (RemoteIndexAddress.empty() != ProjectRoot.empty()) {
925 llvm::errs() <<
"remote-index-address and project-path have to be "
926 "specified at the same time.";
929 if (!RemoteIndexAddress.empty()) {
930 if (IndexFile.empty()) {
931 log(
"Connecting to remote index at {0}", RemoteIndexAddress);
933 elog(
"When enabling remote index, IndexFile should not be specified. "
934 "Only one can be used at time. Remote index will ignored.");
945 return loadExternalIndex(External, Tasks, SupportContainedRefs);
952 Opts.
CodeComplete.IncludeIneligibleResults = IncludeIneligibleResults;
954 if (CompletionStyle.getNumOccurrences())
955 Opts.
CodeComplete.BundleOverloads = CompletionStyle != Detailed;
959 if (!HeaderInsertionDecorators) {
967 Opts.
CodeComplete.ForceLoadPreamble = ExperimentalModulesSupport;
970 std::vector<std::unique_ptr<config::Provider>> ProviderStack;
971 std::unique_ptr<config::Provider>
Config;
973 ProviderStack.push_back(
975 llvm::SmallString<256> UserConfig;
976 if (llvm::sys::path::user_config_directory(UserConfig)) {
977 llvm::sys::path::append(UserConfig,
"clangd",
"config.yaml");
978 vlog(
"User config file is {0}", UserConfig);
980 UserConfig,
"", TFS,
true));
982 elog(
"Couldn't determine user config file, not loading");
985 ProviderStack.push_back(std::make_unique<FlagsConfigProvider>());
986 std::vector<const config::Provider *> ProviderPointers;
987 for (
const auto &P : ProviderStack)
988 ProviderPointers.push_back(P.get());
994 if (EnableClangTidy) {
995 std::vector<TidyProvider> Providers;
996 Providers.reserve(4 + EnableConfig);
1003 ClangTidyOptProvider =
combine(std::move(Providers));
1011 if (T.hidden() && !HiddenFeatures)
1013 if (TweakList.getNumOccurrences())
1014 return llvm::is_contained(TweakList, T.id());
1018 Opts.
Encoding = ForceOffsetEncoding;
1020 if (CheckFile.getNumOccurrences()) {
1021 llvm::SmallString<256>
Path;
1023 llvm::sys::fs::real_path(CheckFile,
Path,
true)) {
1024 elog(
"Failed to resolve path {0}: {1}", CheckFile,
Error.message());
1027 log(
"Entering check mode (no LSP server)");
1034 if (ModuleSet.
begin() != ModuleSet.
end())
1039 llvm::sys::ChangeStdinToBinary();
1040 std::unique_ptr<Transport> TransportLayer;
1041 if (getenv(
"CLANGD_AS_XPC_SERVICE")) {
1043 log(
"Starting LSP over XPC service");
1046 llvm::errs() <<
"This clangd binary wasn't built with XPC support.\n";
1050 log(
"Starting LSP over stdin/stdout");
1052 stdin, llvm::outs(), InputMirrorStream ? &*InputMirrorStream :
nullptr,
1053 PrettyPrint, InputStyle);
1055 if (!PathMappingsArg.empty()) {
1058 elog(
"Invalid -path-mappings: {0}", Mappings.takeError());
1062 std::move(*Mappings));
1066 llvm::set_thread_name(
"clangd.main");
1067 int ExitCode = LSPServer.
run()
1070 log(
"LSP finished, exiting with status {0}", ExitCode);
static cl::opt< std::string > Config("config", desc(R"(
Specifies a configuration in YAML/JSON format:
-config="{Checks:' *', CheckOptions:{x:y}}"
When the value is empty, clang-tidy will
attempt to find a file named .clang-tidy for
each source file in its parent directories.
)"), cl::init(""), cl::cat(ClangTidyCategory))
static cl::desc desc(StringRef Description)
Include Cleaner is clangd functionality for providing diagnostics for misuse of transitive headers an...
Runs tasks on separate (detached) threads and wait for all tasks to finish.
static void preventThreadStarvationInTests()
This class exposes ClangdServer's capabilities via Language Server Protocol.
bool run()
Run LSP server loop, communicating with the Transport provided in the constructor.
A FeatureModuleSet is a collection of feature modules installed in clangd.
static FeatureModuleSet fromRegistry()
Interface to allow custom logging in clangd.
Only one LoggingSession can be active at a time.
llvm::Expected< std::string > getAbsolutePath(llvm::StringRef, llvm::StringRef Body, llvm::StringRef HintPath) const override
Returns the absolute path of the file corresponding to the URI authority+body in the file system.
llvm::Expected< URI > uriFromAbsolutePath(llvm::StringRef AbsolutePath) const override
static void runCrashHandlers()
Calls all currently-active ThreadCrashReporters for the current thread.
Wrapper for vfs::FileSystem for use in multithreaded programs like clangd.
An interface base for small context-sensitive refactoring actions.
URIScheme is an extension point for teaching clangd to recognize a custom URI scheme.
A source of configuration fragments.
static std::unique_ptr< Provider > fromYAMLFile(llvm::StringRef AbsPath, llvm::StringRef Directory, const ThreadsafeFS &, bool Trusted=false)
Reads fragments from a single YAML file with a fixed path.
static std::unique_ptr< Provider > fromAncestorRelativeYAMLFiles(llvm::StringRef RelPath, const ThreadsafeFS &, bool Trusted=false)
static std::unique_ptr< Provider > combine(std::vector< const Provider * >)
A provider that includes fragments from all the supplied providers.
std::function< bool(const Params &, Config &)> CompiledFragment
A chunk of configuration that has been fully analyzed and is ready to apply.
llvm::function_ref< void(const llvm::SMDiagnostic &)> DiagnosticCallback
Used to report problems in parsing or interpreting a config.
std::unique_ptr< clangd::SymbolIndex > getClient(llvm::StringRef Address, llvm::StringRef ProjectRoot)
Returns an SymbolIndex client that passes requests to remote index located at Address.
std::unique_ptr< EventTracer > createJSONTracer(llvm::raw_ostream &OS, bool Pretty)
Create an instance of EventTracer that produces an output in the Trace Event format supported by Chro...
std::unique_ptr< EventTracer > createCSVMetricTracer(llvm::raw_ostream &OS)
Create an instance of EventTracer that outputs metric measurements as CSV.
FIXME: Skip testing on windows temporarily due to the different escaping code mode.
llvm::unique_function< void(tidy::ClangTidyOptions &, llvm::StringRef) const > TidyProvider
A factory to modify a tidy::ClangTidyOptions.
TidyProvider combine(std::vector< TidyProvider > Providers)
unsigned getDefaultAsyncThreadsCount()
Returns a number of a default async threads to use for TUScheduler.
void vlog(const char *Fmt, Ts &&... Vals)
std::string platformString()
llvm::Error error(std::error_code EC, const char *Fmt, Ts &&... Vals)
llvm::Expected< PathMappings > parsePathMappings(llvm::StringRef RawPathMappings)
Parse the command line RawPathMappings (e.g.
std::string featureString()
static URISchemeRegistry::Add< TestScheme > X(TestScheme::Scheme, "Test schema")
std::unique_ptr< Transport > createPathMappingTransport(std::unique_ptr< Transport > Transp, PathMappings Mappings)
Creates a wrapping transport over Transp that applies the Mappings to all inbound and outbound LSP me...
std::unique_ptr< Transport > newXPCTransport()
void log(const char *Fmt, Ts &&... Vals)
TidyProvider provideClangTidyFiles(ThreadsafeFS &TFS)
Provider that searches for .clang-tidy configuration files in the directory tree.
void allowCrashPragmasForTest()
Respect #pragma clang __debug crash etc, which are usually disabled.
std::unique_ptr< SymbolIndex > createProjectAwareIndex(IndexFactory Gen, bool Sync)
Returns an index that answers queries using external indices.
int clangdMain(int argc, char *argv[])
void requestShutdown()
Sets a flag to indicate that clangd was sent a shutdown signal, and the transport loop should exit at...
TidyProvider disableUnusableChecks(llvm::ArrayRef< std::string > ExtraBadChecks)
Provider that will disable checks known to not work with clangd.
std::string Path
A typedef to represent a file path.
std::unique_ptr< Transport > newJSONTransport(std::FILE *In, llvm::raw_ostream &Out, llvm::raw_ostream *InMirror, bool Pretty, JSONStreamStyle Style)
TidyProvider provideDefaultChecks()
Provider that will enable a nice set of default checks if none are specified.
TidyProvider provideClangdConfig()
void abortAfterTimeout(std::chrono::seconds Timeout)
Causes this process to crash if still running after Timeout.
bool check(llvm::StringRef File, const ThreadsafeFS &TFS, const ClangdLSPServer::Options &Opts)
void elog(const char *Fmt, Ts &&... Vals)
std::string versionString()
std::unique_ptr< SymbolIndex > loadIndex(llvm::StringRef SymbolFilename, SymbolOrigin Origin, bool UseDex, bool SupportContainedRefs)
TidyProvider provideEnvironment()
Provider that just sets the defaults.
===– Representation.cpp - ClangDoc Representation --------—*- C++ -*-===//
bool EnableExperimentalModulesSupport
Flag to hint the experimental modules support is enabled.
size_t ReferencesLimit
Limit the number of references returned (0 means no limit).
bool UseDirBasedCDB
Look for compilation databases, rather than using compile commands set via LSP (extensions) only.
clangd::RenameOptions Rename
std::function< void()> MemoryCleanup
If set, periodically called to release memory.
config::Provider * ConfigProvider
Supplies configuration (overrides ClangdServer::ContextProvider).
clangd::CodeCompleteOptions CodeComplete
Per-feature options.
std::function< bool(const Tweak &)> TweakFilter
Returns true if the tweak should be enabled.
std::optional< OffsetEncoding > Encoding
The offset-encoding to use, or std::nullopt to negotiate it over LSP.
bool BuildDynamicSymbolIndex
If true, ClangdServer builds a dynamic in-memory index for symbols in opened files and uses the index...
std::vector< std::string > QueryDriverGlobs
Clangd will execute compiler drivers matching one of these globs to fetch system include path.
bool UseDirtyHeaders
If true, use the dirty buffer contents when building Preambles.
bool StorePreamblesInMemory
Cached preambles are potentially large. If false, store them on disk.
TidyProviderRef ClangTidyProvider
The Options provider to use when running clang-tidy.
bool PreambleParseForwardingFunctions
SymbolIndex * StaticIndex
If set, use this index to augment code completion results.
llvm::ThreadPriority BackgroundIndexPriority
bool BackgroundIndex
If true, ClangdServer automatically indexes files in the current project on background threads.
unsigned AsyncThreadsCount
To process requests asynchronously, ClangdServer spawns worker threads.
bool ImportInsertions
Whether include fixer insertions for Objective-C code should use import instead of include.
bool StrongWorkspaceMode
Sets an alternate mode of operation.
std::optional< std::string > ResourceDir
The resource directory is used to find internal headers, overriding defaults and -resource-dir compil...
FeatureModuleSet * FeatureModules
bool EnableOutgoingCalls
Call hierarchy's outgoing calls feature requires additional index serving structures which increase m...
Describes an external index configuration.
Settings that express user/project preferences and control clangd behavior.
@ Delimiters
empty pair of delimiters "()" or "<>".
@ FullPlaceholders
full name of both type and variable.
size_t LimitFiles
The maximum number of affected files (0 means no limit), only meaningful when AllowCrossFile = true.
Represents measurements of clangd events, e.g.
@ Value
A number whose value is meaningful, and may vary over time.