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