clang-tools 19.0.0git
ClangTidyOptions.cpp
Go to the documentation of this file.
1//===--- ClangTidyOptions.cpp - clang-tidy ----------------------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
9#include "ClangTidyOptions.h"
11#include "clang/Basic/LLVM.h"
12#include "llvm/ADT/SmallString.h"
13#include "llvm/Support/Debug.h"
14#include "llvm/Support/Errc.h"
15#include "llvm/Support/FileSystem.h"
16#include "llvm/Support/MemoryBufferRef.h"
17#include "llvm/Support/Path.h"
18#include "llvm/Support/YAMLTraits.h"
19#include <algorithm>
20#include <optional>
21#include <utility>
22
23#define DEBUG_TYPE "clang-tidy-options"
24
28
29LLVM_YAML_IS_FLOW_SEQUENCE_VECTOR(FileFilter)
30LLVM_YAML_IS_FLOW_SEQUENCE_VECTOR(FileFilter::LineRange)
31
32namespace llvm::yaml {
33
34// Map std::pair<int, int> to a JSON array of size 2.
35template <> struct SequenceTraits<FileFilter::LineRange> {
36 static size_t size(IO &IO, FileFilter::LineRange &Range) {
37 return Range.first == 0 ? 0 : Range.second == 0 ? 1 : 2;
38 }
39 static unsigned &element(IO &IO, FileFilter::LineRange &Range, size_t Index) {
40 if (Index > 1)
41 IO.setError("Too many elements in line range.");
42 return Index == 0 ? Range.first : Range.second;
43 }
44};
45
46template <> struct MappingTraits<FileFilter> {
47 static void mapping(IO &IO, FileFilter &File) {
48 IO.mapRequired("name", File.Name);
49 IO.mapOptional("lines", File.LineRanges);
50 }
51 static std::string validate(IO &Io, FileFilter &File) {
52 if (File.Name.empty())
53 return "No file name specified";
54 for (const FileFilter::LineRange &Range : File.LineRanges) {
55 if (Range.first <= 0 || Range.second <= 0)
56 return "Invalid line range";
57 }
58 return "";
59 }
60};
61
62template <> struct MappingTraits<ClangTidyOptions::StringPair> {
63 static void mapping(IO &IO, ClangTidyOptions::StringPair &KeyValue) {
64 IO.mapRequired("key", KeyValue.first);
65 IO.mapRequired("value", KeyValue.second);
66 }
67};
68
69struct NOptionMap {
70 NOptionMap(IO &) {}
71 NOptionMap(IO &, const ClangTidyOptions::OptionMap &OptionMap) {
72 Options.reserve(OptionMap.size());
73 for (const auto &KeyValue : OptionMap)
74 Options.emplace_back(std::string(KeyValue.getKey()), KeyValue.getValue().Value);
75 }
76 ClangTidyOptions::OptionMap denormalize(IO &) {
77 ClangTidyOptions::OptionMap Map;
78 for (const auto &KeyValue : Options)
79 Map[KeyValue.first] = ClangTidyOptions::ClangTidyValue(KeyValue.second);
80 return Map;
81 }
82 std::vector<ClangTidyOptions::StringPair> Options;
83};
84
85template <>
86void yamlize(IO &IO, ClangTidyOptions::OptionMap &Val, bool,
87 EmptyContext &Ctx) {
88 if (IO.outputting()) {
89 // Ensure check options are sorted
90 std::vector<std::pair<StringRef, StringRef>> SortedOptions;
91 SortedOptions.reserve(Val.size());
92 for (auto &Key : Val) {
93 SortedOptions.emplace_back(Key.getKey(), Key.getValue().Value);
94 }
95 std::sort(SortedOptions.begin(), SortedOptions.end());
96
97 IO.beginMapping();
98 // Only output as a map
99 for (auto &Option : SortedOptions) {
100 bool UseDefault = false;
101 void *SaveInfo = nullptr;
102 IO.preflightKey(Option.first.data(), true, false, UseDefault, SaveInfo);
103 IO.scalarString(Option.second, needsQuotes(Option.second));
104 IO.postflightKey(SaveInfo);
105 }
106 IO.endMapping();
107 } else {
108 // We need custom logic here to support the old method of specifying check
109 // options using a list of maps containing key and value keys.
110 auto &I = reinterpret_cast<Input &>(IO);
111 if (isa<SequenceNode>(I.getCurrentNode())) {
112 MappingNormalization<NOptionMap, ClangTidyOptions::OptionMap> NOpts(IO,
113 Val);
114 EmptyContext Ctx;
115 yamlize(IO, NOpts->Options, true, Ctx);
116 } else if (isa<MappingNode>(I.getCurrentNode())) {
117 IO.beginMapping();
118 for (StringRef Key : IO.keys()) {
119 IO.mapRequired(Key.data(), Val[Key].Value);
120 }
121 IO.endMapping();
122 } else {
123 IO.setError("expected a sequence or map");
124 }
125 }
126}
127
129 std::optional<std::string> AsString;
130 std::optional<std::vector<std::string>> AsVector;
131};
132
133template <> void yamlize(IO &IO, ChecksVariant &Val, bool, EmptyContext &Ctx) {
134 if (!IO.outputting()) {
135 // Special case for reading from YAML
136 // Must support reading from both a string or a list
137 auto &I = reinterpret_cast<Input &>(IO);
138 if (isa<ScalarNode, BlockScalarNode>(I.getCurrentNode())) {
139 Val.AsString = std::string();
140 yamlize(IO, *Val.AsString, true, Ctx);
141 } else if (isa<SequenceNode>(I.getCurrentNode())) {
142 Val.AsVector = std::vector<std::string>();
143 yamlize(IO, *Val.AsVector, true, Ctx);
144 } else {
145 IO.setError("expected string or sequence");
146 }
147 }
148}
149
150static void mapChecks(IO &IO, std::optional<std::string> &Checks) {
151 if (IO.outputting()) {
152 // Output always a string
153 IO.mapOptional("Checks", Checks);
154 } else {
155 // Input as either a string or a list
156 ChecksVariant ChecksAsVariant;
157 IO.mapOptional("Checks", ChecksAsVariant);
158 if (ChecksAsVariant.AsString)
159 Checks = ChecksAsVariant.AsString;
160 else if (ChecksAsVariant.AsVector)
161 Checks = llvm::join(*ChecksAsVariant.AsVector, ",");
162 }
163}
164
165template <> struct MappingTraits<ClangTidyOptions> {
166 static void mapping(IO &IO, ClangTidyOptions &Options) {
167 mapChecks(IO, Options.Checks);
168 IO.mapOptional("WarningsAsErrors", Options.WarningsAsErrors);
169 IO.mapOptional("HeaderFileExtensions", Options.HeaderFileExtensions);
170 IO.mapOptional("ImplementationFileExtensions",
172 IO.mapOptional("HeaderFilterRegex", Options.HeaderFilterRegex);
173 IO.mapOptional("FormatStyle", Options.FormatStyle);
174 IO.mapOptional("User", Options.User);
175 IO.mapOptional("CheckOptions", Options.CheckOptions);
176 IO.mapOptional("ExtraArgs", Options.ExtraArgs);
177 IO.mapOptional("ExtraArgsBefore", Options.ExtraArgsBefore);
178 IO.mapOptional("InheritParentConfig", Options.InheritParentConfig);
179 IO.mapOptional("UseColor", Options.UseColor);
180 IO.mapOptional("SystemHeaders", Options.SystemHeaders);
181 }
182};
183
184} // namespace llvm::yaml
185
186namespace clang::tidy {
187
189 ClangTidyOptions Options;
190 Options.Checks = "";
191 Options.WarningsAsErrors = "";
192 Options.HeaderFileExtensions = {"", "h", "hh", "hpp", "hxx"};
193 Options.ImplementationFileExtensions = {"c", "cc", "cpp", "cxx"};
194 Options.HeaderFilterRegex = "";
195 Options.SystemHeaders = false;
196 Options.FormatStyle = "none";
197 Options.User = std::nullopt;
198 for (const ClangTidyModuleRegistry::entry &Module :
199 ClangTidyModuleRegistry::entries())
200 Options.mergeWith(Module.instantiate()->getModuleOptions(), 0);
201 return Options;
202}
203
204template <typename T>
205static void mergeVectors(std::optional<T> &Dest, const std::optional<T> &Src) {
206 if (Src) {
207 if (Dest)
208 Dest->insert(Dest->end(), Src->begin(), Src->end());
209 else
210 Dest = Src;
211 }
212}
213
214static void mergeCommaSeparatedLists(std::optional<std::string> &Dest,
215 const std::optional<std::string> &Src) {
216 if (Src)
217 Dest = (Dest && !Dest->empty() ? *Dest + "," : "") + *Src;
218}
219
220template <typename T>
221static void overrideValue(std::optional<T> &Dest, const std::optional<T> &Src) {
222 if (Src)
223 Dest = Src;
224}
225
227 unsigned Order) {
236 overrideValue(User, Other.User);
240
241 for (const auto &KeyValue : Other.CheckOptions) {
242 CheckOptions.insert_or_assign(
243 KeyValue.getKey(),
244 ClangTidyValue(KeyValue.getValue().Value,
245 KeyValue.getValue().Priority + Order));
246 }
247 return *this;
248}
249
251 unsigned Order) const {
252 ClangTidyOptions Result = *this;
253 Result.mergeWith(Other, Order);
254 return Result;
255}
256
258 "clang-tidy binary";
260 "command-line option '-checks'";
261const char
263 "command-line option '-config'";
264
267 ClangTidyOptions Result;
268 unsigned Priority = 0;
269 for (auto &Source : getRawOptions(FileName))
270 Result.mergeWith(Source.first, ++Priority);
271 return Result;
272}
273
274std::vector<OptionsSource>
276 std::vector<OptionsSource> Result;
277 Result.emplace_back(DefaultOptions, OptionsSourceTypeDefaultBinary);
278 return Result;
279}
280
282 ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions,
283 ClangTidyOptions ConfigOptions, ClangTidyOptions OverrideOptions,
284 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FS)
285 : FileOptionsBaseProvider(std::move(GlobalOptions),
286 std::move(DefaultOptions),
287 std::move(OverrideOptions), std::move(FS)),
288 ConfigOptions(std::move(ConfigOptions)) {}
289
290std::vector<OptionsSource>
292 std::vector<OptionsSource> RawOptions =
294 if (ConfigOptions.InheritParentConfig.value_or(false)) {
295 LLVM_DEBUG(llvm::dbgs()
296 << "Getting options for file " << FileName << "...\n");
297 assert(FS && "FS must be set.");
298
299 llvm::SmallString<128> AbsoluteFilePath(FileName);
300
301 if (!FS->makeAbsolute(AbsoluteFilePath)) {
302 addRawFileOptions(AbsoluteFilePath, RawOptions);
303 }
304 }
305 RawOptions.emplace_back(ConfigOptions,
307 RawOptions.emplace_back(OverrideOptions,
309 return RawOptions;
310}
311
313 ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions,
314 ClangTidyOptions OverrideOptions,
315 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS)
316 : DefaultOptionsProvider(std::move(GlobalOptions),
317 std::move(DefaultOptions)),
318 OverrideOptions(std::move(OverrideOptions)), FS(std::move(VFS)) {
319 if (!FS)
320 FS = llvm::vfs::getRealFileSystem();
321 ConfigHandlers.emplace_back(".clang-tidy", parseConfiguration);
322}
323
325 ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions,
326 ClangTidyOptions OverrideOptions,
328 : DefaultOptionsProvider(std::move(GlobalOptions),
329 std::move(DefaultOptions)),
330 OverrideOptions(std::move(OverrideOptions)),
331 ConfigHandlers(std::move(ConfigHandlers)) {}
332
334 llvm::StringRef AbsolutePath, std::vector<OptionsSource> &CurOptions) {
335 auto CurSize = CurOptions.size();
336
337 // Look for a suitable configuration file in all parent directories of the
338 // file. Start with the immediate parent directory and move up.
339 StringRef Path = llvm::sys::path::parent_path(AbsolutePath);
340 for (StringRef CurrentPath = Path; !CurrentPath.empty();
341 CurrentPath = llvm::sys::path::parent_path(CurrentPath)) {
342 std::optional<OptionsSource> Result;
343
344 auto Iter = CachedOptions.find(CurrentPath);
345 if (Iter != CachedOptions.end())
346 Result = Iter->second;
347
348 if (!Result)
349 Result = tryReadConfigFile(CurrentPath);
350
351 if (Result) {
352 // Store cached value for all intermediate directories.
353 while (Path != CurrentPath) {
354 LLVM_DEBUG(llvm::dbgs()
355 << "Caching configuration for path " << Path << ".\n");
356 if (!CachedOptions.count(Path))
357 CachedOptions[Path] = *Result;
358 Path = llvm::sys::path::parent_path(Path);
359 }
360 CachedOptions[Path] = *Result;
361
362 CurOptions.push_back(*Result);
363 if (!Result->first.InheritParentConfig.value_or(false))
364 break;
365 }
366 }
367 // Reverse order of file configs because closer configs should have higher
368 // priority.
369 std::reverse(CurOptions.begin() + CurSize, CurOptions.end());
370}
371
373 ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions,
374 ClangTidyOptions OverrideOptions,
375 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS)
376 : FileOptionsBaseProvider(std::move(GlobalOptions),
377 std::move(DefaultOptions),
378 std::move(OverrideOptions), std::move(VFS)) {}
379
381 ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions,
382 ClangTidyOptions OverrideOptions,
385 std::move(GlobalOptions), std::move(DefaultOptions),
386 std::move(OverrideOptions), std::move(ConfigHandlers)) {}
387
388// FIXME: This method has some common logic with clang::format::getStyle().
389// Consider pulling out common bits to a findParentFileWithName function or
390// similar.
391std::vector<OptionsSource>
393 LLVM_DEBUG(llvm::dbgs() << "Getting options for file " << FileName
394 << "...\n");
395 assert(FS && "FS must be set.");
396
397 llvm::SmallString<128> AbsoluteFilePath(FileName);
398
399 if (FS->makeAbsolute(AbsoluteFilePath))
400 return {};
401
402 std::vector<OptionsSource> RawOptions =
403 DefaultOptionsProvider::getRawOptions(AbsoluteFilePath.str());
404 addRawFileOptions(AbsoluteFilePath, RawOptions);
405 OptionsSource CommandLineOptions(OverrideOptions,
407
408 RawOptions.push_back(CommandLineOptions);
409 return RawOptions;
410}
411
412std::optional<OptionsSource>
414 assert(!Directory.empty());
415
416 llvm::ErrorOr<llvm::vfs::Status> DirectoryStatus = FS->status(Directory);
417
418 if (!DirectoryStatus || !DirectoryStatus->isDirectory()) {
419 llvm::errs() << "Error reading configuration from " << Directory
420 << ": directory doesn't exist.\n";
421 return std::nullopt;
422 }
423
424 for (const ConfigFileHandler &ConfigHandler : ConfigHandlers) {
425 SmallString<128> ConfigFile(Directory);
426 llvm::sys::path::append(ConfigFile, ConfigHandler.first);
427 LLVM_DEBUG(llvm::dbgs() << "Trying " << ConfigFile << "...\n");
428
429 llvm::ErrorOr<llvm::vfs::Status> FileStatus = FS->status(ConfigFile);
430
431 if (!FileStatus || !FileStatus->isRegularFile())
432 continue;
433
434 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>> Text =
435 FS->getBufferForFile(ConfigFile);
436 if (std::error_code EC = Text.getError()) {
437 llvm::errs() << "Can't read " << ConfigFile << ": " << EC.message()
438 << "\n";
439 continue;
440 }
441
442 // Skip empty files, e.g. files opened for writing via shell output
443 // redirection.
444 if ((*Text)->getBuffer().empty())
445 continue;
446 llvm::ErrorOr<ClangTidyOptions> ParsedOptions =
447 ConfigHandler.second({(*Text)->getBuffer(), ConfigFile});
448 if (!ParsedOptions) {
449 if (ParsedOptions.getError())
450 llvm::errs() << "Error parsing " << ConfigFile << ": "
451 << ParsedOptions.getError().message() << "\n";
452 continue;
453 }
454 return OptionsSource(*ParsedOptions, std::string(ConfigFile));
455 }
456 return std::nullopt;
457}
458
459/// Parses -line-filter option and stores it to the \c Options.
460std::error_code parseLineFilter(StringRef LineFilter,
462 llvm::yaml::Input Input(LineFilter);
463 Input >> Options.LineFilter;
464 return Input.error();
465}
466
467llvm::ErrorOr<ClangTidyOptions>
468parseConfiguration(llvm::MemoryBufferRef Config) {
469 llvm::yaml::Input Input(Config);
470 ClangTidyOptions Options;
471 Input >> Options;
472 if (Input.error())
473 return Input.error();
474 return Options;
475}
476
477static void diagHandlerImpl(const llvm::SMDiagnostic &Diag, void *Ctx) {
478 (*reinterpret_cast<DiagCallback *>(Ctx))(Diag);
479}
480
481llvm::ErrorOr<ClangTidyOptions>
483 DiagCallback Handler) {
484 llvm::yaml::Input Input(Config, nullptr, Handler ? diagHandlerImpl : nullptr,
485 &Handler);
486 ClangTidyOptions Options;
487 Input >> Options;
488 if (Input.error())
489 return Input.error();
490 return Options;
491}
492
493std::string configurationAsText(const ClangTidyOptions &Options) {
494 std::string Text;
495 llvm::raw_string_ostream Stream(Text);
496 llvm::yaml::Output Output(Stream);
497 // We use the same mapping method for input and output, so we need a non-const
498 // reference here.
499 ClangTidyOptions NonConstValue = Options;
500 Output << NonConstValue;
501 return Stream.str();
502}
503
504} // namespace clang::tidy
static cl::opt< std::string > ConfigFile("config-file", desc(R"( Specify the path of .clang-tidy or custom config file: e.g. --config-file=/some/path/myTidyConfigFile This option internally works exactly the same way as --config option after reading specified config file. Use either --config-file or --config, not both. )"), cl::init(""), cl::cat(ClangTidyCategory))
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::opt< std::string > LineFilter("line-filter", desc(R"( List of files with line ranges to filter the warnings. Can be used together with -header-filter. The format of the list is a JSON array of objects: [ {"name":"file1.cpp","lines":[[1,3],[5,7]]}, {"name":"file2.h"} ] )"), cl::init(""), cl::cat(ClangTidyCategory))
clang::tidy::ClangTidyOptionsProvider::OptionsSource OptionsSource
std::string Text
CharSourceRange Range
SourceRange for the file name.
StringRef FileName
std::vector< HeaderHandle > Path
llvm::StringRef Directory
llvm::StringRef Src
std::string Output
Definition: TraceTests.cpp:159
ClangTidyOptions getOptions(llvm::StringRef FileName)
Returns options applying to a specific translation unit with the specified FileName.
static const char OptionsSourceTypeCheckCommandLineOption[]
virtual std::vector< OptionsSource > getRawOptions(llvm::StringRef FileName)=0
Returns an ordered vector of OptionsSources, in order of increasing priority.
std::pair< ClangTidyOptions, std::string > OptionsSource
ClangTidyOptions and its source.
static const char OptionsSourceTypeConfigCommandLineOption[]
static const char OptionsSourceTypeDefaultBinary[]
ConfigOptionsProvider(ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions, ClangTidyOptions ConfigOptions, ClangTidyOptions OverrideOptions, llvm::IntrusiveRefCntPtr< llvm::vfs::FileSystem > FS=nullptr)
std::vector< OptionsSource > getRawOptions(llvm::StringRef FileName) override
Returns an ordered vector of OptionsSources, in order of increasing priority.
Implementation of the ClangTidyOptionsProvider interface, which returns the same options for all file...
std::vector< OptionsSource > getRawOptions(llvm::StringRef FileName) override
Returns an ordered vector of OptionsSources, in order of increasing priority.
std::optional< OptionsSource > tryReadConfigFile(llvm::StringRef Directory)
Try to read configuration files from Directory using registered ConfigHandlers.
llvm::StringMap< OptionsSource > CachedOptions
llvm::IntrusiveRefCntPtr< llvm::vfs::FileSystem > FS
FileOptionsBaseProvider(ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions, ClangTidyOptions OverrideOptions, llvm::IntrusiveRefCntPtr< llvm::vfs::FileSystem > FS)
std::vector< ConfigFileHandler > ConfigFileHandlers
Configuration file handlers listed in the order of priority.
void addRawFileOptions(llvm::StringRef AbsolutePath, std::vector< OptionsSource > &CurOptions)
std::pair< std::string, std::function< llvm::ErrorOr< ClangTidyOptions >(llvm::MemoryBufferRef)> > ConfigFileHandler
std::vector< OptionsSource > getRawOptions(llvm::StringRef FileName) override
Returns an ordered vector of OptionsSources, in order of increasing priority.
FileOptionsProvider(ClangTidyGlobalOptions GlobalOptions, ClangTidyOptions DefaultOptions, ClangTidyOptions OverrideOptions, llvm::IntrusiveRefCntPtr< llvm::vfs::FileSystem > FS=nullptr)
Initializes the FileOptionsProvider instance.
std::error_code parseLineFilter(StringRef LineFilter, clang::tidy::ClangTidyGlobalOptions &Options)
Parses -line-filter option and stores it to the Options.
static void diagHandlerImpl(const llvm::SMDiagnostic &Diag, void *Ctx)
static void mergeVectors(std::optional< T > &Dest, const std::optional< T > &Src)
llvm::function_ref< void(const llvm::SMDiagnostic &)> DiagCallback
llvm::ErrorOr< ClangTidyOptions > parseConfigurationWithDiags(llvm::MemoryBufferRef Config, DiagCallback Handler)
static void mergeCommaSeparatedLists(std::optional< std::string > &Dest, const std::optional< std::string > &Src)
std::string configurationAsText(const ClangTidyOptions &Options)
Serializes configuration to a YAML-encoded string.
llvm::ErrorOr< ClangTidyOptions > parseConfiguration(llvm::MemoryBufferRef Config)
Parses configuration from JSON and returns ClangTidyOptions or an error.
static void overrideValue(std::optional< T > &Dest, const std::optional< T > &Src)
static void mapChecks(IO &IO, std::optional< std::string > &Checks)
void yamlize(IO &IO, ClangTidyOptions::OptionMap &Val, bool, EmptyContext &Ctx)
std::vector< FileFilter > LineFilter
Output warnings from certain line ranges of certain files only.
Helper structure for storing option value with priority of the value.
Contains options for clang-tidy.
OptionMap CheckOptions
Key-value mapping used to store check-specific options.
ClangTidyOptions merge(const ClangTidyOptions &Other, unsigned Order) const
Creates a new ClangTidyOptions instance combined from all fields of this instance overridden by the f...
std::optional< bool > InheritParentConfig
Only used in the FileOptionsProvider and ConfigOptionsProvider.
std::optional< std::string > HeaderFilterRegex
Output warnings from headers matching this filter.
std::optional< std::string > Checks
Checks filter.
std::optional< std::string > WarningsAsErrors
WarningsAsErrors filter.
std::optional< std::vector< std::string > > ImplementationFileExtensions
File extensions to consider to determine if a given diagnostic is located is located in an implementa...
ClangTidyOptions & mergeWith(const ClangTidyOptions &Other, unsigned Order)
Overwrites all fields in here by the fields of Other that have a value.
std::optional< std::string > User
Specifies the name or e-mail of the user running clang-tidy.
std::optional< std::vector< std::string > > HeaderFileExtensions
File extensions to consider to determine if a given diagnostic is located in a header file.
std::optional< bool > UseColor
Use colors in diagnostics. If missing, it will be auto detected.
std::optional< bool > SystemHeaders
Output warnings from system headers matching HeaderFilterRegex.
static ClangTidyOptions getDefaults()
These options are used for all settings that haven't been overridden by the OptionsProvider.
std::optional< ArgList > ExtraArgsBefore
Add extra compilation arguments to the start of the list.
std::optional< std::string > FormatStyle
Format code around applied fixes with clang-format using this style.
std::optional< ArgList > ExtraArgs
Add extra compilation arguments to the end of the list.
Contains a list of line ranges in a single file.
std::pair< unsigned int, unsigned int > LineRange
LineRange is a pair<start, end> (inclusive).
std::optional< std::string > AsString
std::optional< std::vector< std::string > > AsVector
static void mapping(IO &IO, ClangTidyOptions &Options)
static void mapping(IO &IO, ClangTidyOptions::StringPair &KeyValue)
static std::string validate(IO &Io, FileFilter &File)
static void mapping(IO &IO, FileFilter &File)
ClangTidyOptions::OptionMap denormalize(IO &)
NOptionMap(IO &, const ClangTidyOptions::OptionMap &OptionMap)
std::vector< ClangTidyOptions::StringPair > Options
static unsigned & element(IO &IO, FileFilter::LineRange &Range, size_t Index)
static size_t size(IO &IO, FileFilter::LineRange &Range)