1 //===- Tooling.cpp - Running clang standalone tools -----------------------===//
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 // This file implements functions to run clang tools standalone instead
10 // of running them as a plugin.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "clang/Tooling/Tooling.h"
15 #include "clang/Basic/Diagnostic.h"
16 #include "clang/Basic/DiagnosticIDs.h"
17 #include "clang/Basic/DiagnosticOptions.h"
18 #include "clang/Basic/FileManager.h"
19 #include "clang/Basic/FileSystemOptions.h"
20 #include "clang/Basic/LLVM.h"
21 #include "clang/Driver/Compilation.h"
22 #include "clang/Driver/Driver.h"
23 #include "clang/Driver/Job.h"
24 #include "clang/Driver/Options.h"
25 #include "clang/Driver/Tool.h"
26 #include "clang/Driver/ToolChain.h"
27 #include "clang/Frontend/ASTUnit.h"
28 #include "clang/Frontend/CompilerInstance.h"
29 #include "clang/Frontend/CompilerInvocation.h"
30 #include "clang/Frontend/FrontendDiagnostic.h"
31 #include "clang/Frontend/FrontendOptions.h"
32 #include "clang/Frontend/TextDiagnosticPrinter.h"
33 #include "clang/Lex/HeaderSearchOptions.h"
34 #include "clang/Lex/PreprocessorOptions.h"
35 #include "clang/Tooling/ArgumentsAdjusters.h"
36 #include "clang/Tooling/CompilationDatabase.h"
37 #include "llvm/ADT/ArrayRef.h"
38 #include "llvm/ADT/IntrusiveRefCntPtr.h"
39 #include "llvm/ADT/SmallString.h"
40 #include "llvm/ADT/StringRef.h"
41 #include "llvm/ADT/Twine.h"
42 #include "llvm/Option/ArgList.h"
43 #include "llvm/Option/OptTable.h"
44 #include "llvm/Option/Option.h"
45 #include "llvm/Support/Casting.h"
46 #include "llvm/Support/Debug.h"
47 #include "llvm/Support/ErrorHandling.h"
48 #include "llvm/Support/FileSystem.h"
49 #include "llvm/Support/Host.h"
50 #include "llvm/Support/MemoryBuffer.h"
51 #include "llvm/Support/Path.h"
52 #include "llvm/Support/VirtualFileSystem.h"
53 #include "llvm/Support/raw_ostream.h"
54 #include <cassert>
55 #include <cstring>
56 #include <memory>
57 #include <string>
58 #include <system_error>
59 #include <utility>
60 #include <vector>
61
62 #define DEBUG_TYPE "clang-tooling"
63
64 using namespace clang;
65 using namespace tooling;
66
67 ToolAction::~ToolAction() = default;
68
69 FrontendActionFactory::~FrontendActionFactory() = default;
70
71 // FIXME: This file contains structural duplication with other parts of the
72 // code that sets up a compiler to run tools on it, and we should refactor
73 // it to be based on the same framework.
74
75 /// Builds a clang driver initialized for running clang tools.
76 static driver::Driver *
newDriver(DiagnosticsEngine * Diagnostics,const char * BinaryName,IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS)77 newDriver(DiagnosticsEngine *Diagnostics, const char *BinaryName,
78 IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS) {
79 driver::Driver *CompilerDriver =
80 new driver::Driver(BinaryName, llvm::sys::getDefaultTargetTriple(),
81 *Diagnostics, "clang LLVM compiler", std::move(VFS));
82 CompilerDriver->setTitle("clang_based_tool");
83 return CompilerDriver;
84 }
85
86 /// Retrieves the clang CC1 specific flags out of the compilation's jobs.
87 ///
88 /// Returns nullptr on error.
getCC1Arguments(DiagnosticsEngine * Diagnostics,driver::Compilation * Compilation)89 static const llvm::opt::ArgStringList *getCC1Arguments(
90 DiagnosticsEngine *Diagnostics, driver::Compilation *Compilation) {
91 // We expect to get back exactly one Command job, if we didn't something
92 // failed. Extract that job from the Compilation.
93 const driver::JobList &Jobs = Compilation->getJobs();
94 const driver::ActionList &Actions = Compilation->getActions();
95 bool OffloadCompilation = false;
96 if (Jobs.size() > 1) {
97 for (auto A : Actions){
98 // On MacOSX real actions may end up being wrapped in BindArchAction
99 if (isa<driver::BindArchAction>(A))
100 A = *A->input_begin();
101 if (isa<driver::OffloadAction>(A)) {
102 // Offload compilation has 2 top-level actions, one (at the front) is
103 // the original host compilation and the other is offload action
104 // composed of at least one device compilation. For such case, general
105 // tooling will consider host-compilation only. For tooling on device
106 // compilation, device compilation only option, such as
107 // `--cuda-device-only`, needs specifying.
108 assert(Actions.size() > 1);
109 assert(
110 isa<driver::CompileJobAction>(Actions.front()) ||
111 // On MacOSX real actions may end up being wrapped in
112 // BindArchAction.
113 (isa<driver::BindArchAction>(Actions.front()) &&
114 isa<driver::CompileJobAction>(*Actions.front()->input_begin())));
115 OffloadCompilation = true;
116 break;
117 }
118 }
119 }
120 if (Jobs.size() == 0 || !isa<driver::Command>(*Jobs.begin()) ||
121 (Jobs.size() > 1 && !OffloadCompilation)) {
122 SmallString<256> error_msg;
123 llvm::raw_svector_ostream error_stream(error_msg);
124 Jobs.Print(error_stream, "; ", true);
125 Diagnostics->Report(diag::err_fe_expected_compiler_job)
126 << error_stream.str();
127 return nullptr;
128 }
129
130 // The one job we find should be to invoke clang again.
131 const auto &Cmd = cast<driver::Command>(*Jobs.begin());
132 if (StringRef(Cmd.getCreator().getName()) != "clang") {
133 Diagnostics->Report(diag::err_fe_expected_clang_command);
134 return nullptr;
135 }
136
137 return &Cmd.getArguments();
138 }
139
140 namespace clang {
141 namespace tooling {
142
143 /// Returns a clang build invocation initialized from the CC1 flags.
newInvocation(DiagnosticsEngine * Diagnostics,const llvm::opt::ArgStringList & CC1Args,const char * const BinaryName)144 CompilerInvocation *newInvocation(DiagnosticsEngine *Diagnostics,
145 const llvm::opt::ArgStringList &CC1Args,
146 const char *const BinaryName) {
147 assert(!CC1Args.empty() && "Must at least contain the program name!");
148 CompilerInvocation *Invocation = new CompilerInvocation;
149 CompilerInvocation::CreateFromArgs(*Invocation, CC1Args, *Diagnostics,
150 BinaryName);
151 Invocation->getFrontendOpts().DisableFree = false;
152 Invocation->getCodeGenOpts().DisableFree = false;
153 return Invocation;
154 }
155
runToolOnCode(std::unique_ptr<FrontendAction> ToolAction,const Twine & Code,const Twine & FileName,std::shared_ptr<PCHContainerOperations> PCHContainerOps)156 bool runToolOnCode(std::unique_ptr<FrontendAction> ToolAction,
157 const Twine &Code, const Twine &FileName,
158 std::shared_ptr<PCHContainerOperations> PCHContainerOps) {
159 return runToolOnCodeWithArgs(std::move(ToolAction), Code,
160 std::vector<std::string>(), FileName,
161 "clang-tool", std::move(PCHContainerOps));
162 }
163
164 } // namespace tooling
165 } // namespace clang
166
167 static std::vector<std::string>
getSyntaxOnlyToolArgs(const Twine & ToolName,const std::vector<std::string> & ExtraArgs,StringRef FileName)168 getSyntaxOnlyToolArgs(const Twine &ToolName,
169 const std::vector<std::string> &ExtraArgs,
170 StringRef FileName) {
171 std::vector<std::string> Args;
172 Args.push_back(ToolName.str());
173 Args.push_back("-fsyntax-only");
174 Args.insert(Args.end(), ExtraArgs.begin(), ExtraArgs.end());
175 Args.push_back(FileName.str());
176 return Args;
177 }
178
179 namespace clang {
180 namespace tooling {
181
runToolOnCodeWithArgs(std::unique_ptr<FrontendAction> ToolAction,const Twine & Code,llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS,const std::vector<std::string> & Args,const Twine & FileName,const Twine & ToolName,std::shared_ptr<PCHContainerOperations> PCHContainerOps)182 bool runToolOnCodeWithArgs(
183 std::unique_ptr<FrontendAction> ToolAction, const Twine &Code,
184 llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> VFS,
185 const std::vector<std::string> &Args, const Twine &FileName,
186 const Twine &ToolName,
187 std::shared_ptr<PCHContainerOperations> PCHContainerOps) {
188 SmallString<16> FileNameStorage;
189 StringRef FileNameRef = FileName.toNullTerminatedStringRef(FileNameStorage);
190
191 llvm::IntrusiveRefCntPtr<FileManager> Files(
192 new FileManager(FileSystemOptions(), VFS));
193 ArgumentsAdjuster Adjuster = getClangStripDependencyFileAdjuster();
194 ToolInvocation Invocation(
195 getSyntaxOnlyToolArgs(ToolName, Adjuster(Args, FileNameRef), FileNameRef),
196 std::move(ToolAction), Files.get(), std::move(PCHContainerOps));
197 return Invocation.run();
198 }
199
runToolOnCodeWithArgs(std::unique_ptr<FrontendAction> ToolAction,const Twine & Code,const std::vector<std::string> & Args,const Twine & FileName,const Twine & ToolName,std::shared_ptr<PCHContainerOperations> PCHContainerOps,const FileContentMappings & VirtualMappedFiles)200 bool runToolOnCodeWithArgs(
201 std::unique_ptr<FrontendAction> ToolAction, const Twine &Code,
202 const std::vector<std::string> &Args, const Twine &FileName,
203 const Twine &ToolName,
204 std::shared_ptr<PCHContainerOperations> PCHContainerOps,
205 const FileContentMappings &VirtualMappedFiles) {
206 llvm::IntrusiveRefCntPtr<llvm::vfs::OverlayFileSystem> OverlayFileSystem(
207 new llvm::vfs::OverlayFileSystem(llvm::vfs::getRealFileSystem()));
208 llvm::IntrusiveRefCntPtr<llvm::vfs::InMemoryFileSystem> InMemoryFileSystem(
209 new llvm::vfs::InMemoryFileSystem);
210 OverlayFileSystem->pushOverlay(InMemoryFileSystem);
211
212 SmallString<1024> CodeStorage;
213 InMemoryFileSystem->addFile(FileName, 0,
214 llvm::MemoryBuffer::getMemBuffer(
215 Code.toNullTerminatedStringRef(CodeStorage)));
216
217 for (auto &FilenameWithContent : VirtualMappedFiles) {
218 InMemoryFileSystem->addFile(
219 FilenameWithContent.first, 0,
220 llvm::MemoryBuffer::getMemBuffer(FilenameWithContent.second));
221 }
222
223 return runToolOnCodeWithArgs(std::move(ToolAction), Code, OverlayFileSystem,
224 Args, FileName, ToolName);
225 }
226
getAbsolutePath(llvm::vfs::FileSystem & FS,StringRef File)227 llvm::Expected<std::string> getAbsolutePath(llvm::vfs::FileSystem &FS,
228 StringRef File) {
229 StringRef RelativePath(File);
230 // FIXME: Should '.\\' be accepted on Win32?
231 if (RelativePath.startswith("./")) {
232 RelativePath = RelativePath.substr(strlen("./"));
233 }
234
235 SmallString<1024> AbsolutePath = RelativePath;
236 if (auto EC = FS.makeAbsolute(AbsolutePath))
237 return llvm::errorCodeToError(EC);
238 llvm::sys::path::native(AbsolutePath);
239 return std::string(AbsolutePath.str());
240 }
241
getAbsolutePath(StringRef File)242 std::string getAbsolutePath(StringRef File) {
243 return llvm::cantFail(getAbsolutePath(*llvm::vfs::getRealFileSystem(), File));
244 }
245
addTargetAndModeForProgramName(std::vector<std::string> & CommandLine,StringRef InvokedAs)246 void addTargetAndModeForProgramName(std::vector<std::string> &CommandLine,
247 StringRef InvokedAs) {
248 if (CommandLine.empty() || InvokedAs.empty())
249 return;
250 const auto &Table = driver::getDriverOptTable();
251 // --target=X
252 const std::string TargetOPT =
253 Table.getOption(driver::options::OPT_target).getPrefixedName();
254 // -target X
255 const std::string TargetOPTLegacy =
256 Table.getOption(driver::options::OPT_target_legacy_spelling)
257 .getPrefixedName();
258 // --driver-mode=X
259 const std::string DriverModeOPT =
260 Table.getOption(driver::options::OPT_driver_mode).getPrefixedName();
261 auto TargetMode =
262 driver::ToolChain::getTargetAndModeFromProgramName(InvokedAs);
263 // No need to search for target args if we don't have a target/mode to insert.
264 bool ShouldAddTarget = TargetMode.TargetIsValid;
265 bool ShouldAddMode = TargetMode.DriverMode != nullptr;
266 // Skip CommandLine[0].
267 for (auto Token = ++CommandLine.begin(); Token != CommandLine.end();
268 ++Token) {
269 StringRef TokenRef(*Token);
270 ShouldAddTarget = ShouldAddTarget && !TokenRef.startswith(TargetOPT) &&
271 !TokenRef.equals(TargetOPTLegacy);
272 ShouldAddMode = ShouldAddMode && !TokenRef.startswith(DriverModeOPT);
273 }
274 if (ShouldAddMode) {
275 CommandLine.insert(++CommandLine.begin(), TargetMode.DriverMode);
276 }
277 if (ShouldAddTarget) {
278 CommandLine.insert(++CommandLine.begin(),
279 TargetOPT + TargetMode.TargetPrefix);
280 }
281 }
282
283 } // namespace tooling
284 } // namespace clang
285
286 namespace {
287
288 class SingleFrontendActionFactory : public FrontendActionFactory {
289 std::unique_ptr<FrontendAction> Action;
290
291 public:
SingleFrontendActionFactory(std::unique_ptr<FrontendAction> Action)292 SingleFrontendActionFactory(std::unique_ptr<FrontendAction> Action)
293 : Action(std::move(Action)) {}
294
create()295 std::unique_ptr<FrontendAction> create() override {
296 return std::move(Action);
297 }
298 };
299
300 } // namespace
301
ToolInvocation(std::vector<std::string> CommandLine,ToolAction * Action,FileManager * Files,std::shared_ptr<PCHContainerOperations> PCHContainerOps)302 ToolInvocation::ToolInvocation(
303 std::vector<std::string> CommandLine, ToolAction *Action,
304 FileManager *Files, std::shared_ptr<PCHContainerOperations> PCHContainerOps)
305 : CommandLine(std::move(CommandLine)), Action(Action), OwnsAction(false),
306 Files(Files), PCHContainerOps(std::move(PCHContainerOps)) {}
307
ToolInvocation(std::vector<std::string> CommandLine,std::unique_ptr<FrontendAction> FAction,FileManager * Files,std::shared_ptr<PCHContainerOperations> PCHContainerOps)308 ToolInvocation::ToolInvocation(
309 std::vector<std::string> CommandLine,
310 std::unique_ptr<FrontendAction> FAction, FileManager *Files,
311 std::shared_ptr<PCHContainerOperations> PCHContainerOps)
312 : CommandLine(std::move(CommandLine)),
313 Action(new SingleFrontendActionFactory(std::move(FAction))),
314 OwnsAction(true), Files(Files),
315 PCHContainerOps(std::move(PCHContainerOps)) {}
316
~ToolInvocation()317 ToolInvocation::~ToolInvocation() {
318 if (OwnsAction)
319 delete Action;
320 }
321
run()322 bool ToolInvocation::run() {
323 std::vector<const char*> Argv;
324 for (const std::string &Str : CommandLine)
325 Argv.push_back(Str.c_str());
326 const char *const BinaryName = Argv[0];
327 IntrusiveRefCntPtr<DiagnosticOptions> DiagOpts = new DiagnosticOptions();
328 unsigned MissingArgIndex, MissingArgCount;
329 llvm::opt::InputArgList ParsedArgs = driver::getDriverOptTable().ParseArgs(
330 ArrayRef<const char *>(Argv).slice(1), MissingArgIndex, MissingArgCount);
331 ParseDiagnosticArgs(*DiagOpts, ParsedArgs);
332 TextDiagnosticPrinter DiagnosticPrinter(
333 llvm::errs(), &*DiagOpts);
334 DiagnosticsEngine Diagnostics(
335 IntrusiveRefCntPtr<DiagnosticIDs>(new DiagnosticIDs()), &*DiagOpts,
336 DiagConsumer ? DiagConsumer : &DiagnosticPrinter, false);
337 // Although `Diagnostics` are used only for command-line parsing, the custom
338 // `DiagConsumer` might expect a `SourceManager` to be present.
339 SourceManager SrcMgr(Diagnostics, *Files);
340 Diagnostics.setSourceManager(&SrcMgr);
341
342 const std::unique_ptr<driver::Driver> Driver(
343 newDriver(&Diagnostics, BinaryName, &Files->getVirtualFileSystem()));
344 // The "input file not found" diagnostics from the driver are useful.
345 // The driver is only aware of the VFS working directory, but some clients
346 // change this at the FileManager level instead.
347 // In this case the checks have false positives, so skip them.
348 if (!Files->getFileSystemOpts().WorkingDir.empty())
349 Driver->setCheckInputsExist(false);
350 const std::unique_ptr<driver::Compilation> Compilation(
351 Driver->BuildCompilation(llvm::makeArrayRef(Argv)));
352 if (!Compilation)
353 return false;
354 const llvm::opt::ArgStringList *const CC1Args = getCC1Arguments(
355 &Diagnostics, Compilation.get());
356 if (!CC1Args)
357 return false;
358 std::unique_ptr<CompilerInvocation> Invocation(
359 newInvocation(&Diagnostics, *CC1Args, BinaryName));
360 return runInvocation(BinaryName, Compilation.get(), std::move(Invocation),
361 std::move(PCHContainerOps));
362 }
363
runInvocation(const char * BinaryName,driver::Compilation * Compilation,std::shared_ptr<CompilerInvocation> Invocation,std::shared_ptr<PCHContainerOperations> PCHContainerOps)364 bool ToolInvocation::runInvocation(
365 const char *BinaryName, driver::Compilation *Compilation,
366 std::shared_ptr<CompilerInvocation> Invocation,
367 std::shared_ptr<PCHContainerOperations> PCHContainerOps) {
368 // Show the invocation, with -v.
369 if (Invocation->getHeaderSearchOpts().Verbose) {
370 llvm::errs() << "clang Invocation:\n";
371 Compilation->getJobs().Print(llvm::errs(), "\n", true);
372 llvm::errs() << "\n";
373 }
374
375 return Action->runInvocation(std::move(Invocation), Files,
376 std::move(PCHContainerOps), DiagConsumer);
377 }
378
runInvocation(std::shared_ptr<CompilerInvocation> Invocation,FileManager * Files,std::shared_ptr<PCHContainerOperations> PCHContainerOps,DiagnosticConsumer * DiagConsumer)379 bool FrontendActionFactory::runInvocation(
380 std::shared_ptr<CompilerInvocation> Invocation, FileManager *Files,
381 std::shared_ptr<PCHContainerOperations> PCHContainerOps,
382 DiagnosticConsumer *DiagConsumer) {
383 // Create a compiler instance to handle the actual work.
384 CompilerInstance Compiler(std::move(PCHContainerOps));
385 Compiler.setInvocation(std::move(Invocation));
386 Compiler.setFileManager(Files);
387
388 // The FrontendAction can have lifetime requirements for Compiler or its
389 // members, and we need to ensure it's deleted earlier than Compiler. So we
390 // pass it to an std::unique_ptr declared after the Compiler variable.
391 std::unique_ptr<FrontendAction> ScopedToolAction(create());
392
393 // Create the compiler's actual diagnostics engine.
394 Compiler.createDiagnostics(DiagConsumer, /*ShouldOwnClient=*/false);
395 if (!Compiler.hasDiagnostics())
396 return false;
397
398 Compiler.createSourceManager(*Files);
399
400 const bool Success = Compiler.ExecuteAction(*ScopedToolAction);
401
402 Files->clearStatCache();
403 return Success;
404 }
405
ClangTool(const CompilationDatabase & Compilations,ArrayRef<std::string> SourcePaths,std::shared_ptr<PCHContainerOperations> PCHContainerOps,IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS,IntrusiveRefCntPtr<FileManager> Files)406 ClangTool::ClangTool(const CompilationDatabase &Compilations,
407 ArrayRef<std::string> SourcePaths,
408 std::shared_ptr<PCHContainerOperations> PCHContainerOps,
409 IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS,
410 IntrusiveRefCntPtr<FileManager> Files)
411 : Compilations(Compilations), SourcePaths(SourcePaths),
412 PCHContainerOps(std::move(PCHContainerOps)),
413 OverlayFileSystem(new llvm::vfs::OverlayFileSystem(std::move(BaseFS))),
414 InMemoryFileSystem(new llvm::vfs::InMemoryFileSystem),
415 Files(Files ? Files
416 : new FileManager(FileSystemOptions(), OverlayFileSystem)) {
417 OverlayFileSystem->pushOverlay(InMemoryFileSystem);
418 appendArgumentsAdjuster(getClangStripOutputAdjuster());
419 appendArgumentsAdjuster(getClangSyntaxOnlyAdjuster());
420 appendArgumentsAdjuster(getClangStripDependencyFileAdjuster());
421 if (Files)
422 Files->setVirtualFileSystem(OverlayFileSystem);
423 }
424
425 ClangTool::~ClangTool() = default;
426
mapVirtualFile(StringRef FilePath,StringRef Content)427 void ClangTool::mapVirtualFile(StringRef FilePath, StringRef Content) {
428 MappedFileContents.push_back(std::make_pair(FilePath, Content));
429 }
430
appendArgumentsAdjuster(ArgumentsAdjuster Adjuster)431 void ClangTool::appendArgumentsAdjuster(ArgumentsAdjuster Adjuster) {
432 ArgsAdjuster = combineAdjusters(std::move(ArgsAdjuster), std::move(Adjuster));
433 }
434
clearArgumentsAdjusters()435 void ClangTool::clearArgumentsAdjusters() {
436 ArgsAdjuster = nullptr;
437 }
438
injectResourceDir(CommandLineArguments & Args,const char * Argv0,void * MainAddr)439 static void injectResourceDir(CommandLineArguments &Args, const char *Argv0,
440 void *MainAddr) {
441 // Allow users to override the resource dir.
442 for (StringRef Arg : Args)
443 if (Arg.startswith("-resource-dir"))
444 return;
445
446 // If there's no override in place add our resource dir.
447 Args = getInsertArgumentAdjuster(
448 ("-resource-dir=" + CompilerInvocation::GetResourcesPath(Argv0, MainAddr))
449 .c_str())(Args, "");
450 }
451
run(ToolAction * Action)452 int ClangTool::run(ToolAction *Action) {
453 // Exists solely for the purpose of lookup of the resource path.
454 // This just needs to be some symbol in the binary.
455 static int StaticSymbol;
456
457 // First insert all absolute paths into the in-memory VFS. These are global
458 // for all compile commands.
459 if (SeenWorkingDirectories.insert("/").second)
460 for (const auto &MappedFile : MappedFileContents)
461 if (llvm::sys::path::is_absolute(MappedFile.first))
462 InMemoryFileSystem->addFile(
463 MappedFile.first, 0,
464 llvm::MemoryBuffer::getMemBuffer(MappedFile.second));
465
466 bool ProcessingFailed = false;
467 bool FileSkipped = false;
468 // Compute all absolute paths before we run any actions, as those will change
469 // the working directory.
470 std::vector<std::string> AbsolutePaths;
471 AbsolutePaths.reserve(SourcePaths.size());
472 for (const auto &SourcePath : SourcePaths) {
473 auto AbsPath = getAbsolutePath(*OverlayFileSystem, SourcePath);
474 if (!AbsPath) {
475 llvm::errs() << "Skipping " << SourcePath
476 << ". Error while getting an absolute path: "
477 << llvm::toString(AbsPath.takeError()) << "\n";
478 continue;
479 }
480 AbsolutePaths.push_back(std::move(*AbsPath));
481 }
482
483 // Remember the working directory in case we need to restore it.
484 std::string InitialWorkingDir;
485 if (RestoreCWD) {
486 if (auto CWD = OverlayFileSystem->getCurrentWorkingDirectory()) {
487 InitialWorkingDir = std::move(*CWD);
488 } else {
489 llvm::errs() << "Could not get working directory: "
490 << CWD.getError().message() << "\n";
491 }
492 }
493
494 for (llvm::StringRef File : AbsolutePaths) {
495 // Currently implementations of CompilationDatabase::getCompileCommands can
496 // change the state of the file system (e.g. prepare generated headers), so
497 // this method needs to run right before we invoke the tool, as the next
498 // file may require a different (incompatible) state of the file system.
499 //
500 // FIXME: Make the compilation database interface more explicit about the
501 // requirements to the order of invocation of its members.
502 std::vector<CompileCommand> CompileCommandsForFile =
503 Compilations.getCompileCommands(File);
504 if (CompileCommandsForFile.empty()) {
505 llvm::errs() << "Skipping " << File << ". Compile command not found.\n";
506 FileSkipped = true;
507 continue;
508 }
509 for (CompileCommand &CompileCommand : CompileCommandsForFile) {
510 // FIXME: chdir is thread hostile; on the other hand, creating the same
511 // behavior as chdir is complex: chdir resolves the path once, thus
512 // guaranteeing that all subsequent relative path operations work
513 // on the same path the original chdir resulted in. This makes a
514 // difference for example on network filesystems, where symlinks might be
515 // switched during runtime of the tool. Fixing this depends on having a
516 // file system abstraction that allows openat() style interactions.
517 if (OverlayFileSystem->setCurrentWorkingDirectory(
518 CompileCommand.Directory))
519 llvm::report_fatal_error("Cannot chdir into \"" +
520 Twine(CompileCommand.Directory) + "\"!");
521
522 // Now fill the in-memory VFS with the relative file mappings so it will
523 // have the correct relative paths. We never remove mappings but that
524 // should be fine.
525 if (SeenWorkingDirectories.insert(CompileCommand.Directory).second)
526 for (const auto &MappedFile : MappedFileContents)
527 if (!llvm::sys::path::is_absolute(MappedFile.first))
528 InMemoryFileSystem->addFile(
529 MappedFile.first, 0,
530 llvm::MemoryBuffer::getMemBuffer(MappedFile.second));
531
532 std::vector<std::string> CommandLine = CompileCommand.CommandLine;
533 if (ArgsAdjuster)
534 CommandLine = ArgsAdjuster(CommandLine, CompileCommand.Filename);
535 assert(!CommandLine.empty());
536
537 // Add the resource dir based on the binary of this tool. argv[0] in the
538 // compilation database may refer to a different compiler and we want to
539 // pick up the very same standard library that compiler is using. The
540 // builtin headers in the resource dir need to match the exact clang
541 // version the tool is using.
542 // FIXME: On linux, GetMainExecutable is independent of the value of the
543 // first argument, thus allowing ClangTool and runToolOnCode to just
544 // pass in made-up names here. Make sure this works on other platforms.
545 injectResourceDir(CommandLine, "clang_tool", &StaticSymbol);
546
547 // FIXME: We need a callback mechanism for the tool writer to output a
548 // customized message for each file.
549 LLVM_DEBUG({ llvm::dbgs() << "Processing: " << File << ".\n"; });
550 ToolInvocation Invocation(std::move(CommandLine), Action, Files.get(),
551 PCHContainerOps);
552 Invocation.setDiagnosticConsumer(DiagConsumer);
553
554 if (!Invocation.run()) {
555 // FIXME: Diagnostics should be used instead.
556 if (PrintErrorMessage)
557 llvm::errs() << "Error while processing " << File << ".\n";
558 ProcessingFailed = true;
559 }
560 }
561 }
562
563 if (!InitialWorkingDir.empty()) {
564 if (auto EC =
565 OverlayFileSystem->setCurrentWorkingDirectory(InitialWorkingDir))
566 llvm::errs() << "Error when trying to restore working dir: "
567 << EC.message() << "\n";
568 }
569 return ProcessingFailed ? 1 : (FileSkipped ? 2 : 0);
570 }
571
572 namespace {
573
574 class ASTBuilderAction : public ToolAction {
575 std::vector<std::unique_ptr<ASTUnit>> &ASTs;
576
577 public:
ASTBuilderAction(std::vector<std::unique_ptr<ASTUnit>> & ASTs)578 ASTBuilderAction(std::vector<std::unique_ptr<ASTUnit>> &ASTs) : ASTs(ASTs) {}
579
runInvocation(std::shared_ptr<CompilerInvocation> Invocation,FileManager * Files,std::shared_ptr<PCHContainerOperations> PCHContainerOps,DiagnosticConsumer * DiagConsumer)580 bool runInvocation(std::shared_ptr<CompilerInvocation> Invocation,
581 FileManager *Files,
582 std::shared_ptr<PCHContainerOperations> PCHContainerOps,
583 DiagnosticConsumer *DiagConsumer) override {
584 std::unique_ptr<ASTUnit> AST = ASTUnit::LoadFromCompilerInvocation(
585 Invocation, std::move(PCHContainerOps),
586 CompilerInstance::createDiagnostics(&Invocation->getDiagnosticOpts(),
587 DiagConsumer,
588 /*ShouldOwnClient=*/false),
589 Files);
590 if (!AST)
591 return false;
592
593 ASTs.push_back(std::move(AST));
594 return true;
595 }
596 };
597
598 } // namespace
599
buildASTs(std::vector<std::unique_ptr<ASTUnit>> & ASTs)600 int ClangTool::buildASTs(std::vector<std::unique_ptr<ASTUnit>> &ASTs) {
601 ASTBuilderAction Action(ASTs);
602 return run(&Action);
603 }
604
setRestoreWorkingDir(bool RestoreCWD)605 void ClangTool::setRestoreWorkingDir(bool RestoreCWD) {
606 this->RestoreCWD = RestoreCWD;
607 }
608
setPrintErrorMessage(bool PrintErrorMessage)609 void ClangTool::setPrintErrorMessage(bool PrintErrorMessage) {
610 this->PrintErrorMessage = PrintErrorMessage;
611 }
612
613 namespace clang {
614 namespace tooling {
615
616 std::unique_ptr<ASTUnit>
buildASTFromCode(StringRef Code,StringRef FileName,std::shared_ptr<PCHContainerOperations> PCHContainerOps)617 buildASTFromCode(StringRef Code, StringRef FileName,
618 std::shared_ptr<PCHContainerOperations> PCHContainerOps) {
619 return buildASTFromCodeWithArgs(Code, std::vector<std::string>(), FileName,
620 "clang-tool", std::move(PCHContainerOps));
621 }
622
buildASTFromCodeWithArgs(StringRef Code,const std::vector<std::string> & Args,StringRef FileName,StringRef ToolName,std::shared_ptr<PCHContainerOperations> PCHContainerOps,ArgumentsAdjuster Adjuster,const FileContentMappings & VirtualMappedFiles,DiagnosticConsumer * DiagConsumer)623 std::unique_ptr<ASTUnit> buildASTFromCodeWithArgs(
624 StringRef Code, const std::vector<std::string> &Args, StringRef FileName,
625 StringRef ToolName, std::shared_ptr<PCHContainerOperations> PCHContainerOps,
626 ArgumentsAdjuster Adjuster, const FileContentMappings &VirtualMappedFiles,
627 DiagnosticConsumer *DiagConsumer) {
628 std::vector<std::unique_ptr<ASTUnit>> ASTs;
629 ASTBuilderAction Action(ASTs);
630 llvm::IntrusiveRefCntPtr<llvm::vfs::OverlayFileSystem> OverlayFileSystem(
631 new llvm::vfs::OverlayFileSystem(llvm::vfs::getRealFileSystem()));
632 llvm::IntrusiveRefCntPtr<llvm::vfs::InMemoryFileSystem> InMemoryFileSystem(
633 new llvm::vfs::InMemoryFileSystem);
634 OverlayFileSystem->pushOverlay(InMemoryFileSystem);
635 llvm::IntrusiveRefCntPtr<FileManager> Files(
636 new FileManager(FileSystemOptions(), OverlayFileSystem));
637
638 ToolInvocation Invocation(
639 getSyntaxOnlyToolArgs(ToolName, Adjuster(Args, FileName), FileName),
640 &Action, Files.get(), std::move(PCHContainerOps));
641 Invocation.setDiagnosticConsumer(DiagConsumer);
642
643 InMemoryFileSystem->addFile(FileName, 0,
644 llvm::MemoryBuffer::getMemBufferCopy(Code));
645 for (auto &FilenameWithContent : VirtualMappedFiles) {
646 InMemoryFileSystem->addFile(
647 FilenameWithContent.first, 0,
648 llvm::MemoryBuffer::getMemBuffer(FilenameWithContent.second));
649 }
650
651 if (!Invocation.run())
652 return nullptr;
653
654 assert(ASTs.size() == 1);
655 return std::move(ASTs[0]);
656 }
657
658 } // namespace tooling
659 } // namespace clang
660