clang-tools 23.0.0git
ClangTidy.cpp
Go to the documentation of this file.
1//===----------------------------------------------------------------------===//
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/// \file This file implements a clang-tidy tool.
10///
11/// This tool uses the Clang Tooling infrastructure, see
12/// https://clang.llvm.org/docs/HowToSetupToolingForLLVM.html
13/// for details on setting it up with LLVM source tree.
14///
15//===----------------------------------------------------------------------===//
16
17#include "ClangTidy.h"
18#include "ClangTidyCheck.h"
20#include "ClangTidyModule.h"
21#include "ClangTidyProfiling.h"
23#include "clang-tidy-config.h"
24#include "clang/AST/ASTConsumer.h"
25#include "clang/ASTMatchers/ASTMatchFinder.h"
26#include "clang/Basic/DiagnosticFrontend.h"
27#include "clang/Format/Format.h"
28#include "clang/Frontend/ASTConsumers.h"
29#include "clang/Frontend/CompilerInstance.h"
30#include "clang/Frontend/MultiplexConsumer.h"
31#include "clang/Frontend/TextDiagnosticPrinter.h"
32#include "clang/Lex/Preprocessor.h"
33#include "clang/Lex/PreprocessorOptions.h"
34#include "clang/Rewrite/Frontend/FixItRewriter.h"
35#include "clang/Tooling/Core/Diagnostic.h"
36#include "clang/Tooling/DiagnosticsYaml.h" // IWYU pragma: keep
37#include "clang/Tooling/Refactoring.h"
38#include "clang/Tooling/Tooling.h"
39#include "llvm/Support/Process.h"
40#include <memory>
41#include <utility>
42
43#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
44#include "clang/Analysis/PathDiagnostic.h"
45#include "clang/StaticAnalyzer/Frontend/AnalysisConsumer.h"
46#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
47
48using namespace clang::ast_matchers;
49using namespace clang::driver;
50using namespace clang::tooling;
51using namespace llvm;
52
53LLVM_INSTANTIATE_REGISTRY(clang::tidy::ClangTidyModuleRegistry)
54
55namespace clang::tidy {
56
57#if CLANG_TIDY_ENABLE_QUERY_BASED_CUSTOM_CHECKS
58namespace custom {
59void (*RegisterCustomChecks)(const ClangTidyOptions &O,
60 ClangTidyCheckFactories &Factories) = nullptr;
61} // namespace custom
62#endif
63
64namespace {
65#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
66#define ANALYZER_CHECK_NAME_PREFIX "clang-analyzer-"
67static constexpr StringRef AnalyzerCheckNamePrefix = ANALYZER_CHECK_NAME_PREFIX;
68
69class AnalyzerDiagnosticConsumer : public ento::PathDiagnosticConsumer {
70public:
71 AnalyzerDiagnosticConsumer(ClangTidyContext &Context) : Context(Context) {}
72
73 void FlushDiagnosticsImpl(std::vector<const ento::PathDiagnostic *> &Diags,
74 FilesMade *FilesMade) override {
75 for (const ento::PathDiagnostic *PD : Diags) {
76 SmallString<64> CheckName(AnalyzerCheckNamePrefix);
77 CheckName += PD->getCheckerName();
78 Context.diag(CheckName, PD->getLocation().asLocation(),
79 PD->getShortDescription())
80 << PD->path.back()->getRanges();
81
82 for (const auto &DiagPiece :
83 PD->path.flatten(/*ShouldFlattenMacros=*/true)) {
84 Context.diag(CheckName, DiagPiece->getLocation().asLocation(),
85 DiagPiece->getString(), DiagnosticIDs::Note)
86 << DiagPiece->getRanges();
87 }
88 }
89 }
90
91 StringRef getName() const override { return "ClangTidyDiags"; }
92 bool supportsLogicalOpControlFlow() const override { return true; }
93 bool supportsCrossFileDiagnostics() const override { return true; }
94
95private:
96 ClangTidyContext &Context;
97};
98#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
99
100class ErrorReporter {
101public:
102 ErrorReporter(ClangTidyContext &Context, FixBehaviour ApplyFixes,
103 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS)
104 : Files(FileSystemOptions(), std::move(BaseFS)),
105 DiagPrinter(new TextDiagnosticPrinter(llvm::outs(), DiagOpts)),
106 Diags(DiagnosticIDs::create(), DiagOpts, DiagPrinter),
107 SourceMgr(Diags, Files), Context(Context), ApplyFixes(ApplyFixes) {
108 DiagOpts.ShowColors = Context.getOptions().UseColor.value_or(
109 llvm::sys::Process::StandardOutHasColors());
110 DiagPrinter->BeginSourceFile(LangOpts);
111 if (DiagOpts.ShowColors && !llvm::sys::Process::StandardOutIsDisplayed())
112 llvm::sys::Process::UseANSIEscapeCodes(true);
113 }
114
115 SourceManager &getSourceManager() { return SourceMgr; }
116
117 void reportDiagnostic(const ClangTidyError &Error) {
118 const tooling::DiagnosticMessage &Message = Error.Message;
119 const SourceLocation Loc =
120 getLocation(Message.FilePath, Message.FileOffset);
121 // Contains a pair for each attempted fix: location and whether the fix was
122 // applied successfully.
123 SmallVector<std::pair<SourceLocation, bool>, 4> FixLocations;
124 {
125 auto Level = static_cast<DiagnosticsEngine::Level>(Error.DiagLevel);
126 std::string Name = Error.DiagnosticName;
127 if (!Error.EnabledDiagnosticAliases.empty())
128 Name += "," + llvm::join(Error.EnabledDiagnosticAliases, ",");
129 if (Error.IsWarningAsError) {
130 Name += ",-warnings-as-errors";
131 Level = DiagnosticsEngine::Error;
132 WarningsAsErrors++;
133 }
134 auto Diag = Diags.Report(Loc, Diags.getCustomDiagID(Level, "%0 [%1]"))
135 << Message.Message << Name;
136 for (const FileByteRange &FBR : Error.Message.Ranges)
137 Diag << getRange(FBR);
138 // FIXME: explore options to support interactive fix selection.
139 const llvm::StringMap<Replacements> *ChosenFix = nullptr;
140 if (ApplyFixes != FB_NoFix &&
141 (ChosenFix = getFixIt(Error, ApplyFixes == FB_FixNotes))) {
142 for (const auto &FileAndReplacements : *ChosenFix) {
143 for (const auto &Repl : FileAndReplacements.second) {
144 ++TotalFixes;
145 bool CanBeApplied = false;
146 if (!Repl.isApplicable())
147 continue;
148 SourceLocation FixLoc;
149 SmallString<128> FixAbsoluteFilePath = Repl.getFilePath();
150 Files.makeAbsolutePath(FixAbsoluteFilePath);
151 tooling::Replacement R(FixAbsoluteFilePath, Repl.getOffset(),
152 Repl.getLength(), Repl.getReplacementText());
153 auto &Entry = FileReplacements[R.getFilePath()];
154 Replacements &Replacements = Entry.Replaces;
155 llvm::Error Err = Replacements.add(R);
156 if (Err) {
157 // FIXME: Implement better conflict handling.
158 llvm::errs() << "Trying to resolve conflict: "
159 << llvm::toString(std::move(Err)) << "\n";
160 const unsigned NewOffset =
161 Replacements.getShiftedCodePosition(R.getOffset());
162 const unsigned NewLength = Replacements.getShiftedCodePosition(
163 R.getOffset() + R.getLength()) -
164 NewOffset;
165 if (NewLength == R.getLength()) {
166 R = Replacement(R.getFilePath(), NewOffset, NewLength,
167 R.getReplacementText());
168 Replacements = Replacements.merge(tooling::Replacements(R));
169 CanBeApplied = true;
170 ++AppliedFixes;
171 } else {
172 llvm::errs()
173 << "Can't resolve conflict, skipping the replacement.\n";
174 }
175 } else {
176 CanBeApplied = true;
177 ++AppliedFixes;
178 }
179 FixLoc = getLocation(FixAbsoluteFilePath, Repl.getOffset());
180 FixLocations.emplace_back(FixLoc, CanBeApplied);
181 Entry.BuildDir = Error.BuildDirectory;
182 }
183 }
184 }
185 reportFix(Diag, Error.Message.Fix);
186 }
187 for (auto Fix : FixLocations) {
188 Diags.Report(Fix.first, Fix.second ? diag::note_fixit_applied
189 : diag::note_fixit_failed);
190 }
191 for (const auto &Note : Error.Notes)
192 reportNote(Note);
193 }
194
195 void finish() {
196 if (TotalFixes > 0) {
197 auto &VFS = Files.getVirtualFileSystem();
198 auto OriginalCWD = VFS.getCurrentWorkingDirectory();
199 bool AnyNotWritten = false;
200
201 for (const auto &FileAndReplacements : FileReplacements) {
202 Rewriter Rewrite(SourceMgr, LangOpts);
203 const StringRef File = FileAndReplacements.first();
204 VFS.setCurrentWorkingDirectory(FileAndReplacements.second.BuildDir);
205 llvm::ErrorOr<std::unique_ptr<MemoryBuffer>> Buffer =
206 SourceMgr.getFileManager().getBufferForFile(File);
207 if (!Buffer) {
208 llvm::errs() << "Can't get buffer for file " << File << ": "
209 << Buffer.getError().message() << "\n";
210 // FIXME: Maybe don't apply fixes for other files as well.
211 continue;
212 }
213 const StringRef Code = Buffer.get()->getBuffer();
214 auto Style = format::getStyle(
215 Context.getOptionsForFile(File).FormatStyle.value_or("none"), File,
216 "none");
217 if (!Style) {
218 llvm::errs() << llvm::toString(Style.takeError()) << "\n";
219 continue;
220 }
221 llvm::Expected<tooling::Replacements> Replacements =
222 format::cleanupAroundReplacements(
223 Code, FileAndReplacements.second.Replaces, *Style);
224 if (!Replacements) {
225 llvm::errs() << llvm::toString(Replacements.takeError()) << "\n";
226 continue;
227 }
228 if (llvm::Expected<tooling::Replacements> FormattedReplacements =
229 format::formatReplacements(Code, *Replacements, *Style)) {
230 Replacements = std::move(FormattedReplacements);
231 if (!Replacements)
232 llvm_unreachable("!Replacements");
233 } else {
234 llvm::errs() << llvm::toString(FormattedReplacements.takeError())
235 << ". Skipping formatting.\n";
236 }
237 if (!tooling::applyAllReplacements(Replacements.get(), Rewrite))
238 llvm::errs() << "Can't apply replacements for file " << File << "\n";
239 AnyNotWritten |= Rewrite.overwriteChangedFiles();
240 }
241
242 if (AnyNotWritten) {
243 llvm::errs() << "clang-tidy failed to apply suggested fixes.\n";
244 } else {
245 llvm::errs() << "clang-tidy applied " << AppliedFixes << " of "
246 << TotalFixes << " suggested fixes.\n";
247 }
248
249 if (OriginalCWD)
250 VFS.setCurrentWorkingDirectory(*OriginalCWD);
251 }
252 }
253
254 unsigned getWarningsAsErrorsCount() const { return WarningsAsErrors; }
255
256private:
257 SourceLocation getLocation(StringRef FilePath, unsigned Offset) {
258 if (FilePath.empty())
259 return {};
260
261 auto File = SourceMgr.getFileManager().getOptionalFileRef(FilePath);
262 if (!File)
263 return {};
264
265 const FileID ID = SourceMgr.getOrCreateFileID(*File, SrcMgr::C_User);
266 return SourceMgr.getLocForStartOfFile(ID).getLocWithOffset(Offset);
267 }
268
269 void reportFix(const DiagnosticBuilder &Diag,
270 const llvm::StringMap<Replacements> &Fix) {
271 for (const auto &FileAndReplacements : Fix) {
272 for (const auto &Repl : FileAndReplacements.second) {
273 if (!Repl.isApplicable())
274 continue;
275 FileByteRange FBR;
276 FBR.FilePath = Repl.getFilePath().str();
277 FBR.FileOffset = Repl.getOffset();
278 FBR.Length = Repl.getLength();
279
280 Diag << FixItHint::CreateReplacement(getRange(FBR),
281 Repl.getReplacementText());
282 }
283 }
284 }
285
286 void reportNote(const tooling::DiagnosticMessage &Message) {
287 const SourceLocation Loc =
288 getLocation(Message.FilePath, Message.FileOffset);
289 auto Diag =
290 Diags.Report(Loc, Diags.getCustomDiagID(DiagnosticsEngine::Note, "%0"))
291 << Message.Message;
292 for (const FileByteRange &FBR : Message.Ranges)
293 Diag << getRange(FBR);
294 reportFix(Diag, Message.Fix);
295 }
296
297 CharSourceRange getRange(const FileByteRange &Range) {
298 SmallString<128> AbsoluteFilePath{Range.FilePath};
299 Files.makeAbsolutePath(AbsoluteFilePath);
300 const SourceLocation BeginLoc =
301 getLocation(AbsoluteFilePath, Range.FileOffset);
302 const SourceLocation EndLoc = BeginLoc.getLocWithOffset(Range.Length);
303 // Retrieve the source range for applicable highlights and fixes. Macro
304 // definition on the command line have locations in a virtual buffer and
305 // don't have valid file paths and are therefore not applicable.
306 return CharSourceRange::getCharRange(BeginLoc, EndLoc);
307 }
308
309 struct ReplacementsWithBuildDir {
310 StringRef BuildDir;
311 Replacements Replaces;
312 };
313
314 FileManager Files;
315 LangOptions LangOpts; // FIXME: use langopts from each original file
316 DiagnosticOptions DiagOpts;
317 DiagnosticConsumer *DiagPrinter;
318 DiagnosticsEngine Diags;
319 SourceManager SourceMgr;
320 llvm::StringMap<ReplacementsWithBuildDir> FileReplacements;
321 ClangTidyContext &Context;
322 FixBehaviour ApplyFixes;
323 unsigned TotalFixes = 0U;
324 unsigned AppliedFixes = 0U;
325 unsigned WarningsAsErrors = 0U;
326};
327
328class ClangTidyASTConsumer : public MultiplexConsumer {
329public:
330 ClangTidyASTConsumer(std::vector<std::unique_ptr<ASTConsumer>> Consumers,
331 std::unique_ptr<ClangTidyProfiling> Profiling,
332 std::unique_ptr<ast_matchers::MatchFinder> Finder,
333 std::vector<std::unique_ptr<ClangTidyCheck>> Checks)
334 : MultiplexConsumer(std::move(Consumers)),
335 Profiling(std::move(Profiling)), Finder(std::move(Finder)),
336 Checks(std::move(Checks)) {}
337
338private:
339 // Destructor order matters! Profiling must be destructed last.
340 // Or at least after Finder.
341 std::unique_ptr<ClangTidyProfiling> Profiling;
342 std::unique_ptr<ast_matchers::MatchFinder> Finder;
343 std::vector<std::unique_ptr<ClangTidyCheck>> Checks;
344 void anchor() override {}
345};
346
347} // namespace
348
350 ClangTidyContext &Context,
351 IntrusiveRefCntPtr<llvm::vfs::OverlayFileSystem> OverlayFS)
352 : Context(Context), OverlayFS(std::move(OverlayFS)),
353 CheckFactories(new ClangTidyCheckFactories) {
354#if CLANG_TIDY_ENABLE_QUERY_BASED_CUSTOM_CHECKS
355 if (Context.canExperimentalCustomChecks() && custom::RegisterCustomChecks)
356 custom::RegisterCustomChecks(Context.getOptions(), *CheckFactories);
357#endif
358 for (const ClangTidyModuleRegistry::entry E :
359 ClangTidyModuleRegistry::entries()) {
360 std::unique_ptr<ClangTidyModule> Module = E.instantiate();
361 Module->addCheckFactories(*CheckFactories);
362 }
363}
364
365#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
366static void setStaticAnalyzerCheckerOpts(const ClangTidyOptions &Opts,
367 AnalyzerOptions &AnalyzerOptions) {
368 for (const auto &Opt : Opts.CheckOptions) {
369 StringRef OptName(Opt.getKey());
370 if (!OptName.consume_front(AnalyzerCheckNamePrefix))
371 continue;
372 // Analyzer options are always local options so we can ignore priority.
373 AnalyzerOptions.Config[OptName] = Opt.getValue().Value;
374 }
375}
376
377using CheckersList = std::vector<std::pair<std::string, bool>>;
378
379static CheckersList getAnalyzerCheckersAndPackages(ClangTidyContext &Context,
380 bool IncludeExperimental) {
381 CheckersList List;
382
383 const auto &RegisteredCheckers =
384 AnalyzerOptions::getRegisteredCheckers(IncludeExperimental);
385 const bool AnalyzerChecksEnabled =
386 llvm::any_of(RegisteredCheckers, [&](StringRef CheckName) -> bool {
387 return Context.isCheckEnabled(
388 (AnalyzerCheckNamePrefix + CheckName).str());
389 });
390
391 if (!AnalyzerChecksEnabled)
392 return List;
393
394 // List all static analyzer checkers that our filter enables.
395 //
396 // Always add all core checkers if any other static analyzer check is enabled.
397 // This is currently necessary, as other path sensitive checks rely on the
398 // core checkers.
399 for (const StringRef CheckName : RegisteredCheckers) {
400 const std::string ClangTidyCheckName(
401 (AnalyzerCheckNamePrefix + CheckName).str());
402
403 if (CheckName.starts_with("core") ||
404 Context.isCheckEnabled(ClangTidyCheckName)) {
405 List.emplace_back(std::string(CheckName), true);
406 }
407 }
408 return List;
409}
410#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
411
412std::unique_ptr<ASTConsumer>
414 StringRef File) {
415 // FIXME: Move this to a separate method, so that CreateASTConsumer doesn't
416 // modify Compiler.
417 SourceManager *SM = &Compiler.getSourceManager();
418 Context.setSourceManager(SM);
419 Context.setCurrentFile(File);
420 Context.setASTContext(&Compiler.getASTContext());
421
422 auto WorkingDir = Compiler.getSourceManager()
423 .getFileManager()
424 .getVirtualFileSystem()
425 .getCurrentWorkingDirectory();
426 if (WorkingDir)
427 Context.setCurrentBuildDirectory(WorkingDir.get());
428#if CLANG_TIDY_ENABLE_QUERY_BASED_CUSTOM_CHECKS
429 if (Context.canExperimentalCustomChecks() && custom::RegisterCustomChecks)
430 custom::RegisterCustomChecks(Context.getOptions(), *CheckFactories);
431#endif
432 std::vector<std::unique_ptr<ClangTidyCheck>> Checks =
433 CheckFactories->createChecksForLanguage(&Context);
434
435 ast_matchers::MatchFinder::MatchFinderOptions FinderOptions;
436
437 std::unique_ptr<ClangTidyProfiling> Profiling;
438 if (Context.getEnableProfiling()) {
439 Profiling =
440 std::make_unique<ClangTidyProfiling>(Context.getProfileStorageParams());
441 FinderOptions.CheckProfiling.emplace(Profiling->Records);
442 }
443
444 // Avoid processing system headers, unless the user explicitly requests it
445 if (!Context.getOptions().SystemHeaders.value_or(false))
446 FinderOptions.IgnoreSystemHeaders = true;
447
448 auto Finder =
449 std::make_unique<ast_matchers::MatchFinder>(std::move(FinderOptions));
450
451 Preprocessor *PP = &Compiler.getPreprocessor();
452 Preprocessor *ModuleExpanderPP = PP;
453
454 if (Context.canEnableModuleHeadersParsing() &&
455 Context.getLangOpts().Modules && OverlayFS != nullptr) {
456 auto ModuleExpander = std::make_unique<ExpandModularHeadersPPCallbacks>(
457 &Compiler, *OverlayFS);
458 ModuleExpanderPP = ModuleExpander->getPreprocessor();
459 PP->addPPCallbacks(std::move(ModuleExpander));
460 }
461
462 for (auto &Check : Checks) {
463 Check->registerMatchers(&*Finder);
464 Check->registerPPCallbacks(*SM, PP, ModuleExpanderPP);
465 }
466
467 std::vector<std::unique_ptr<ASTConsumer>> Consumers;
468 if (!Checks.empty())
469 Consumers.push_back(Finder->newASTConsumer());
470
471#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
472 AnalyzerOptions &AnalyzerOptions = Compiler.getAnalyzerOpts();
473 AnalyzerOptions.CheckersAndPackages = getAnalyzerCheckersAndPackages(
474 Context, Context.canEnableAnalyzerAlphaCheckers());
475 if (!AnalyzerOptions.CheckersAndPackages.empty()) {
476 setStaticAnalyzerCheckerOpts(Context.getOptions(), AnalyzerOptions);
477 AnalyzerOptions.AnalysisDiagOpt = PD_NONE;
478 std::unique_ptr<ento::AnalysisASTConsumer> AnalysisConsumer =
479 ento::CreateAnalysisConsumer(Compiler);
480 AnalysisConsumer->AddDiagnosticConsumer(
481 std::make_unique<AnalyzerDiagnosticConsumer>(Context));
482 Consumers.push_back(std::move(AnalysisConsumer));
483 }
484#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
485 return std::make_unique<ClangTidyASTConsumer>(
486 std::move(Consumers), std::move(Profiling), std::move(Finder),
487 std::move(Checks));
488}
489
491 std::vector<std::string> CheckNames;
492 for (const auto &CheckFactory : *CheckFactories)
493 if (Context.isCheckEnabled(CheckFactory.getKey()))
494 CheckNames.emplace_back(CheckFactory.getKey());
495
496#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
497 for (const auto &AnalyzerCheck : getAnalyzerCheckersAndPackages(
498 Context, Context.canEnableAnalyzerAlphaCheckers()))
499 CheckNames.emplace_back(
500 (AnalyzerCheckNamePrefix + AnalyzerCheck.first).str());
501#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
502
503 llvm::sort(CheckNames);
504 return CheckNames;
505}
506
509 const std::vector<std::unique_ptr<ClangTidyCheck>> Checks =
510 CheckFactories->createChecks(&Context);
511 for (const auto &Check : Checks)
512 Check->storeOptions(Options);
513 return Options;
514}
515
516std::vector<std::string> getCheckNames(const ClangTidyOptions &Options,
519 ClangTidyContext Context(std::make_unique<DefaultOptionsProvider>(
520 ClangTidyGlobalOptions(), Options),
523 ClangTidyASTConsumerFactory Factory(Context);
524 return Factory.getCheckNames();
525}
526
528 const std::vector<std::string> &EnabledChecks) {
529 ClangTidyOptions::OptionMap FilteredOptions;
530 for (const auto &[OptionName, Value] : Options.CheckOptions) {
531 const size_t CheckNameEndPos = OptionName.find('.');
532 if (CheckNameEndPos == StringRef::npos)
533 continue;
534 const StringRef CheckName = OptionName.substr(0, CheckNameEndPos);
535 if (llvm::binary_search(EnabledChecks, CheckName))
536 FilteredOptions[OptionName] = Value;
537 }
538 Options.CheckOptions = std::move(FilteredOptions);
539}
540
545 ClangTidyContext Context(std::make_unique<DefaultOptionsProvider>(
546 ClangTidyGlobalOptions(), Options),
549 ClangTidyDiagnosticConsumer DiagConsumer(Context);
550 auto DiagOpts = std::make_unique<DiagnosticOptions>();
551 DiagnosticsEngine DE(llvm::makeIntrusiveRefCnt<DiagnosticIDs>(), *DiagOpts,
552 &DiagConsumer, /*ShouldOwnClient=*/false);
553 Context.setDiagnosticsEngine(std::move(DiagOpts), &DE);
554 ClangTidyASTConsumerFactory Factory(Context);
555 return Factory.getCheckOptions();
556}
557
558std::vector<ClangTidyError>
559runClangTidy(ClangTidyContext &Context, const CompilationDatabase &Compilations,
560 ArrayRef<std::string> InputFiles,
561 llvm::IntrusiveRefCntPtr<llvm::vfs::OverlayFileSystem> BaseFS,
562 bool ApplyAnyFix, bool EnableCheckProfile,
563 StringRef StoreCheckProfile, bool Quiet) {
564 ClangTool Tool(Compilations, InputFiles,
565 std::make_shared<PCHContainerOperations>(), BaseFS);
566
567 // Add extra arguments passed by the clang-tidy command-line.
568 const ArgumentsAdjuster PerFileExtraArgumentsInserter =
569 [&Context](const CommandLineArguments &Args, StringRef Filename) {
570 ClangTidyOptions Opts = Context.getOptionsForFile(Filename);
571 CommandLineArguments AdjustedArgs = Args;
572 if (Opts.ExtraArgsBefore) {
573 auto I = AdjustedArgs.begin();
574 if (I != AdjustedArgs.end() && !StringRef(*I).starts_with('-'))
575 ++I; // Skip compiler binary name, if it is there.
576 AdjustedArgs.insert(I, Opts.ExtraArgsBefore->begin(),
577 Opts.ExtraArgsBefore->end());
578 }
579 if (Opts.ExtraArgs)
580 AdjustedArgs.insert(AdjustedArgs.end(), Opts.ExtraArgs->begin(),
581 Opts.ExtraArgs->end());
582 return AdjustedArgs;
583 };
584
585 // Remove unwanted arguments passed to the compiler
586 const ArgumentsAdjuster PerFileArgumentRemover =
587 [&Context](const CommandLineArguments &Args, StringRef Filename) {
588 ClangTidyOptions Opts = Context.getOptionsForFile(Filename);
589 CommandLineArguments AdjustedArgs = Args;
590
591 if (Opts.RemovedArgs) {
592 for (const StringRef ArgToRemove : *Opts.RemovedArgs) {
593 AdjustedArgs.erase(std::remove(AdjustedArgs.begin(),
594 AdjustedArgs.end(), ArgToRemove),
595 AdjustedArgs.end());
596 }
597 }
598
599 return AdjustedArgs;
600 };
601
602 Tool.appendArgumentsAdjuster(PerFileArgumentRemover);
603 Tool.appendArgumentsAdjuster(PerFileExtraArgumentsInserter);
604 Tool.appendArgumentsAdjuster(getStripPluginsAdjuster());
607
608 ClangTidyDiagnosticConsumer DiagConsumer(Context, nullptr, true, ApplyAnyFix);
609 auto DiagOpts = std::make_unique<DiagnosticOptions>();
610 DiagnosticsEngine DE(DiagnosticIDs::create(), *DiagOpts, &DiagConsumer,
611 /*ShouldOwnClient=*/false);
612 Context.setDiagnosticsEngine(std::move(DiagOpts), &DE);
613 Tool.setDiagnosticConsumer(&DiagConsumer);
614
615 class ActionFactory : public FrontendActionFactory {
616 public:
617 ActionFactory(ClangTidyContext &Context,
618 IntrusiveRefCntPtr<llvm::vfs::OverlayFileSystem> BaseFS,
619 bool Quiet)
620 : ConsumerFactory(Context, std::move(BaseFS)), Quiet(Quiet) {}
621 std::unique_ptr<FrontendAction> create() override {
622 return std::make_unique<Action>(&ConsumerFactory);
623 }
624
625 bool runInvocation(std::shared_ptr<CompilerInvocation> Invocation,
626 FileManager *Files,
627 std::shared_ptr<PCHContainerOperations> PCHContainerOps,
628 DiagnosticConsumer *DiagConsumer) override {
629 // Explicitly ask to define __clang_analyzer__ macro.
630 Invocation->getPreprocessorOpts().SetUpStaticAnalyzer = true;
631 if (Quiet)
632 Invocation->getDiagnosticOpts().ShowCarets = false;
633 return FrontendActionFactory::runInvocation(
634 Invocation, Files, PCHContainerOps, DiagConsumer);
635 }
636
637 private:
638 class Action : public ASTFrontendAction {
639 public:
640 Action(ClangTidyASTConsumerFactory *Factory) : Factory(Factory) {}
641
642 private:
644
645 std::unique_ptr<ASTConsumer> CreateASTConsumer(CompilerInstance &Compiler,
646 StringRef File) override {
647 return Factory->createASTConsumer(Compiler, File);
648 }
649 };
650
651 ClangTidyASTConsumerFactory ConsumerFactory;
652 bool Quiet;
653 };
654
655 ActionFactory Factory(Context, std::move(BaseFS), Quiet);
656 Tool.run(&Factory);
657 return DiagConsumer.take();
658}
659
660void handleErrors(llvm::ArrayRef<ClangTidyError> Errors,
662 unsigned &WarningsAsErrorsCount,
663 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS) {
664 ErrorReporter Reporter(Context, Fix, std::move(BaseFS));
665 llvm::vfs::FileSystem &FileSystem =
666 Reporter.getSourceManager().getFileManager().getVirtualFileSystem();
667 auto InitialWorkingDir = FileSystem.getCurrentWorkingDirectory();
668 if (!InitialWorkingDir)
669 llvm::report_fatal_error("Cannot get current working path.");
670
671 for (const ClangTidyError &Error : Errors) {
672 if (!Error.BuildDirectory.empty()) {
673 // By default, the working directory of file system is the current
674 // clang-tidy running directory.
675 //
676 // Change the directory to the one used during the analysis.
677 FileSystem.setCurrentWorkingDirectory(Error.BuildDirectory);
678 }
679 Reporter.reportDiagnostic(Error);
680 // Return to the initial directory to correctly resolve next Error.
681 FileSystem.setCurrentWorkingDirectory(InitialWorkingDir.get());
682 }
683 Reporter.finish();
684 WarningsAsErrorsCount += Reporter.getWarningsAsErrorsCount();
685}
686
687void exportReplacements(const StringRef MainFilePath,
688 const std::vector<ClangTidyError> &Errors,
689 raw_ostream &OS) {
690 TranslationUnitDiagnostics TUD;
691 TUD.MainSourceFile = std::string(MainFilePath);
692 for (const auto &Error : Errors) {
693 tooling::Diagnostic Diag = Error;
694 if (Error.IsWarningAsError)
695 Diag.DiagLevel = tooling::Diagnostic::Error;
696 TUD.Diagnostics.insert(TUD.Diagnostics.end(), Diag);
697 }
698
699 yaml::Output YAML(OS);
700 YAML << TUD;
701}
702
705 ChecksAndOptions Result;
706 ClangTidyOptions Opts;
707 Opts.Checks = "*";
708 ClangTidyContext Context(
709 std::make_unique<DefaultOptionsProvider>(ClangTidyGlobalOptions(), Opts),
711 ClangTidyCheckFactories Factories;
712#if CLANG_TIDY_ENABLE_QUERY_BASED_CUSTOM_CHECKS
714 custom::RegisterCustomChecks(Context.getOptions(), Factories);
715#endif
716 for (const ClangTidyModuleRegistry::entry &Module :
717 ClangTidyModuleRegistry::entries()) {
718 Module.instantiate()->addCheckFactories(Factories);
719 }
720
721 for (const auto &Factory : Factories)
722 Result.Checks.insert(Factory.getKey());
723
724#if CLANG_TIDY_ENABLE_STATIC_ANALYZER
725 SmallString<64> Buffer(AnalyzerCheckNamePrefix);
726 const size_t DefSize = Buffer.size();
727 for (const auto &AnalyzerCheck : AnalyzerOptions::getRegisteredCheckers(
729 Buffer.truncate(DefSize);
730 Buffer.append(AnalyzerCheck);
731 Result.Checks.insert(Buffer);
732 }
733
734 static constexpr StringRef OptionNames[] = {
735#define GET_CHECKER_OPTIONS
736#define CHECKER_OPTION(TYPE, CHECKER, OPTION_NAME, DESCRIPTION, DEFAULT, \
737 RELEASE, HIDDEN) \
738 ANALYZER_CHECK_NAME_PREFIX CHECKER ":" OPTION_NAME,
739
740#include "clang/StaticAnalyzer/Checkers/Checkers.inc"
741#undef CHECKER_OPTION
742#undef GET_CHECKER_OPTIONS
743 };
744
745 Result.Options.insert_range(OptionNames);
746#endif // CLANG_TIDY_ENABLE_STATIC_ANALYZER
747
748 Context.setOptionsCollector(&Result.Options);
749 for (const auto &Factory : Factories)
750 Factory.getValue()(Factory.getKey(), &Context);
751
752 return Result;
753}
754} // namespace clang::tidy
static cl::opt< bool > UseColor("use-color", cl::desc(R"(Use colors in detailed AST output. If not set, colors will be used if the terminal connected to standard output supports colors.)"), cl::init(false), cl::cat(ClangQueryCategory))
static cl::opt< bool > EnableCheckProfile("enable-check-profile", desc(R"( Enable per-check timing profiles, and print a report to stderr. )"), cl::init(false), cl::cat(ClangTidyCategory))
static cl::opt< bool > Fix("fix", desc(R"( Apply suggested fixes. Without -fix-errors clang-tidy will bail out if any compilation errors were found. )"), cl::init(false), cl::cat(ClangTidyCategory))
static cl::opt< bool > ExperimentalCustomChecks("experimental-custom-checks", desc(R"( Enable experimental clang-query based custom checks. see https://clang.llvm.org/extra/clang-tidy/QueryBasedCustomChecks.html. )"), cl::init(false), cl::cat(ClangTidyCategory))
static cl::opt< bool > AllowEnablingAnalyzerAlphaCheckers("allow-enabling-analyzer-alpha-checkers", cl::init(false), cl::Hidden, cl::cat(ClangTidyCategory))
This option allows enabling the experimental alpha checkers from the static analyzer.
static cl::opt< std::string > Checks("checks", desc(R"( Comma-separated list of globs with optional '-' prefix. Globs are processed in order of appearance in the list. Globs without '-' prefix add checks with matching names to the set, globs with the '-' prefix remove checks with matching names from the set of enabled checks. This option's value is appended to the value of the 'Checks' option in .clang-tidy file, if any. )"), cl::init(""), cl::cat(ClangTidyCategory))
static cl::opt< bool > Quiet("quiet", desc(R"( Run clang-tidy in quiet mode. This suppresses printing statistics about ignored warnings and warnings treated as errors if the respective options are specified. )"), cl::init(false), cl::cat(ClangTidyCategory))
static cl::opt< std::string > StoreCheckProfile("store-check-profile", desc(R"( By default reports are printed in tabulated format to stderr. When this option is passed, these per-TU profiles are instead stored as JSON. )"), cl::value_desc("prefix"), cl::cat(ClangTidyCategory))
std::unique_ptr< ASTConsumer > createASTConsumer(CompilerInstance &Compiler, StringRef File)
Returns an ASTConsumer that runs the specified clang-tidy checks.
ClangTidyOptions::OptionMap getCheckOptions()
Get the union of options from all checks.
ClangTidyASTConsumerFactory(ClangTidyContext &Context, IntrusiveRefCntPtr< llvm::vfs::OverlayFileSystem > OverlayFS=nullptr)
std::vector< std::string > getCheckNames()
Get the list of enabled checks.
A collection of ClangTidyCheckFactory instances.
Every ClangTidyCheck reports errors through a DiagnosticsEngine provided by this context.
void setOptionsCollector(llvm::StringSet<> *Collector)
const ClangTidyOptions & getOptions() const
Returns options for CurrentFile.
void setProfileStoragePrefix(StringRef ProfilePrefix)
Control storage of profile date.
void setEnableProfiling(bool Profile)
Control profile collection in clang-tidy.
void setDiagnosticsEngine(std::unique_ptr< DiagnosticOptions > DiagOpts, DiagnosticsEngine *DiagEngine)
Sets the DiagnosticsEngine that diag() will emit diagnostics to.
ClangTidyOptions getOptionsForFile(StringRef File) const
Returns options for File.
A diagnostic consumer that turns each Diagnostic into a SourceManager-independent ClangTidyError.
@ Error
An error message.
Definition Protocol.h:734
void(* RegisterCustomChecks)(const ClangTidyOptions &O, ClangTidyCheckFactories &Factories)
const llvm::StringMap< tooling::Replacements > * getFixIt(const tooling::Diagnostic &Diagnostic, bool AnyFix)
Gets the Fix attached to Diagnostic.
ChecksAndOptions getAllChecksAndOptions(bool AllowEnablingAnalyzerAlphaCheckers, bool ExperimentalCustomChecks)
FixBehaviour
Controls what kind of fixes clang-tidy is allowed to apply.
Definition ClangTidy.h:102
@ FB_NoFix
Don't try to apply any fix.
Definition ClangTidy.h:104
@ FB_FixNotes
Apply fixes found in notes.
Definition ClangTidy.h:108
std::vector< std::string > getCheckNames(const ClangTidyOptions &Options, bool AllowEnablingAnalyzerAlphaCheckers, bool ExperimentalCustomChecks)
Fills the list of check names that are enabled when the provided filters are applied.
llvm::Registry< ClangTidyModule > ClangTidyModuleRegistry
ClangTidyOptions::OptionMap getCheckOptions(const ClangTidyOptions &Options, bool AllowEnablingAnalyzerAlphaCheckers, bool ExperimentalCustomChecks)
Returns the effective check-specific options.
void exportReplacements(const StringRef MainFilePath, const std::vector< ClangTidyError > &Errors, raw_ostream &OS)
Serializes replacements into YAML and writes them to the specified output stream.
void handleErrors(llvm::ArrayRef< ClangTidyError > Errors, ClangTidyContext &Context, FixBehaviour Fix, unsigned &WarningsAsErrorsCount, llvm::IntrusiveRefCntPtr< llvm::vfs::FileSystem > BaseFS)
Displays the found Errors to the users.
void filterCheckOptions(ClangTidyOptions &Options, const std::vector< std::string > &EnabledChecks)
Filters CheckOptions in Options to only include options specified in the EnabledChecks which is a sor...
std::vector< ClangTidyError > runClangTidy(ClangTidyContext &Context, const CompilationDatabase &Compilations, ArrayRef< std::string > InputFiles, llvm::IntrusiveRefCntPtr< llvm::vfs::OverlayFileSystem > BaseFS, bool ApplyAnyFix, bool EnableCheckProfile, StringRef StoreCheckProfile, bool Quiet)
Some operations such as code completion produce a set of candidates.
Definition Generators.h:150
llvm::StringMap< ClangTidyValue > OptionMap
A detected error complete with information to display diagnostic and automatic fix.
Contains options for clang-tidy.
OptionMap CheckOptions
Key-value mapping used to store check-specific options.
llvm::StringMap< ClangTidyValue > OptionMap
std::optional< std::string > Checks
Checks filter.
std::optional< ArgList > RemovedArgs
Remove command line arguments sent to the compiler matching this.
std::optional< ArgList > ExtraArgsBefore
Add extra compilation arguments to the start of the list.
std::optional< ArgList > ExtraArgs
Add extra compilation arguments to the end of the list.