blob: c6ee4d0289d278c43c3e0d379d13f0018b2ab915 [file] [log] [blame]
Ilya Biryukov200b3282017-06-21 10:24:58 +00001//===--- PrecompiledPreamble.cpp - Build precompiled preambles --*- C++ -*-===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// Helper class to build precompiled preamble.
11//
12//===----------------------------------------------------------------------===//
13
14#include "clang/Frontend/PrecompiledPreamble.h"
15#include "clang/AST/DeclObjC.h"
16#include "clang/Basic/TargetInfo.h"
17#include "clang/Basic/VirtualFileSystem.h"
18#include "clang/Frontend/CompilerInstance.h"
19#include "clang/Frontend/CompilerInvocation.h"
20#include "clang/Frontend/FrontendActions.h"
21#include "clang/Frontend/FrontendOptions.h"
22#include "clang/Lex/Lexer.h"
23#include "clang/Lex/PreprocessorOptions.h"
24#include "clang/Serialization/ASTWriter.h"
25#include "llvm/ADT/StringExtras.h"
26#include "llvm/ADT/StringSet.h"
Ilya Biryukovdd9ea752017-11-17 10:09:02 +000027#include "llvm/Config/llvm-config.h"
Ilya Biryukov200b3282017-06-21 10:24:58 +000028#include "llvm/Support/CrashRecoveryContext.h"
29#include "llvm/Support/FileSystem.h"
30#include "llvm/Support/Mutex.h"
31#include "llvm/Support/MutexGuard.h"
Ilya Biryukovb88de412017-08-10 16:10:40 +000032#include "llvm/Support/Process.h"
Ilya Biryukov200b3282017-06-21 10:24:58 +000033
Ilya Biryukov417085a2017-11-16 16:25:01 +000034#include <utility>
35
Ilya Biryukov200b3282017-06-21 10:24:58 +000036using namespace clang;
37
38namespace {
39
Ilya Biryukov417085a2017-11-16 16:25:01 +000040StringRef getInMemoryPreamblePath() {
41#if defined(LLVM_ON_UNIX)
42 return "/__clang_tmp/___clang_inmemory_preamble___";
43#elif defined(LLVM_ON_WIN32)
44 return "C:\\__clang_tmp\\___clang_inmemory_preamble___";
45#else
46#warning "Unknown platform. Defaulting to UNIX-style paths for in-memory PCHs"
47 return "/__clang_tmp/___clang_inmemory_preamble___";
48#endif
49}
50
51IntrusiveRefCntPtr<vfs::FileSystem>
52createVFSOverlayForPreamblePCH(StringRef PCHFilename,
53 std::unique_ptr<llvm::MemoryBuffer> PCHBuffer,
54 IntrusiveRefCntPtr<vfs::FileSystem> VFS) {
55 // We want only the PCH file from the real filesystem to be available,
56 // so we create an in-memory VFS with just that and overlay it on top.
57 IntrusiveRefCntPtr<vfs::InMemoryFileSystem> PCHFS(
58 new vfs::InMemoryFileSystem());
59 PCHFS->addFile(PCHFilename, 0, std::move(PCHBuffer));
60 IntrusiveRefCntPtr<vfs::OverlayFileSystem> Overlay(
61 new vfs::OverlayFileSystem(VFS));
62 Overlay->pushOverlay(PCHFS);
63 return Overlay;
64}
65
Ilya Biryukov200b3282017-06-21 10:24:58 +000066/// Keeps a track of files to be deleted in destructor.
67class TemporaryFiles {
68public:
69 // A static instance to be used by all clients.
70 static TemporaryFiles &getInstance();
71
72private:
73 // Disallow constructing the class directly.
74 TemporaryFiles() = default;
75 // Disallow copy.
76 TemporaryFiles(const TemporaryFiles &) = delete;
77
78public:
79 ~TemporaryFiles();
80
81 /// Adds \p File to a set of tracked files.
82 void addFile(StringRef File);
83
84 /// Remove \p File from disk and from the set of tracked files.
85 void removeFile(StringRef File);
86
87private:
88 llvm::sys::SmartMutex<false> Mutex;
89 llvm::StringSet<> Files;
90};
91
92TemporaryFiles &TemporaryFiles::getInstance() {
93 static TemporaryFiles Instance;
94 return Instance;
95}
96
97TemporaryFiles::~TemporaryFiles() {
98 llvm::MutexGuard Guard(Mutex);
99 for (const auto &File : Files)
100 llvm::sys::fs::remove(File.getKey());
101}
102
103void TemporaryFiles::addFile(StringRef File) {
104 llvm::MutexGuard Guard(Mutex);
105 auto IsInserted = Files.insert(File).second;
Haojian Wu53dd6442017-06-21 11:26:58 +0000106 (void)IsInserted;
Ilya Biryukov200b3282017-06-21 10:24:58 +0000107 assert(IsInserted && "File has already been added");
108}
109
110void TemporaryFiles::removeFile(StringRef File) {
111 llvm::MutexGuard Guard(Mutex);
112 auto WasPresent = Files.erase(File);
Haojian Wu53dd6442017-06-21 11:26:58 +0000113 (void)WasPresent;
Ilya Biryukov200b3282017-06-21 10:24:58 +0000114 assert(WasPresent && "File was not tracked");
115 llvm::sys::fs::remove(File);
116}
117
118class PreambleMacroCallbacks : public PPCallbacks {
119public:
120 PreambleMacroCallbacks(PreambleCallbacks &Callbacks) : Callbacks(Callbacks) {}
121
122 void MacroDefined(const Token &MacroNameTok,
123 const MacroDirective *MD) override {
124 Callbacks.HandleMacroDefined(MacroNameTok, MD);
125 }
126
127private:
128 PreambleCallbacks &Callbacks;
129};
130
131class PrecompilePreambleAction : public ASTFrontendAction {
132public:
Ilya Biryukov417085a2017-11-16 16:25:01 +0000133 PrecompilePreambleAction(std::string *InMemStorage,
134 PreambleCallbacks &Callbacks)
135 : InMemStorage(InMemStorage), Callbacks(Callbacks) {}
Ilya Biryukov200b3282017-06-21 10:24:58 +0000136
137 std::unique_ptr<ASTConsumer> CreateASTConsumer(CompilerInstance &CI,
138 StringRef InFile) override;
139
140 bool hasEmittedPreamblePCH() const { return HasEmittedPreamblePCH; }
141
142 void setEmittedPreamblePCH(ASTWriter &Writer) {
143 this->HasEmittedPreamblePCH = true;
144 Callbacks.AfterPCHEmitted(Writer);
145 }
146
147 bool shouldEraseOutputFiles() override { return !hasEmittedPreamblePCH(); }
148 bool hasCodeCompletionSupport() const override { return false; }
149 bool hasASTFileSupport() const override { return false; }
150 TranslationUnitKind getTranslationUnitKind() override { return TU_Prefix; }
151
152private:
153 friend class PrecompilePreambleConsumer;
154
155 bool HasEmittedPreamblePCH = false;
Ilya Biryukov417085a2017-11-16 16:25:01 +0000156 std::string *InMemStorage;
Ilya Biryukov200b3282017-06-21 10:24:58 +0000157 PreambleCallbacks &Callbacks;
158};
159
160class PrecompilePreambleConsumer : public PCHGenerator {
161public:
162 PrecompilePreambleConsumer(PrecompilePreambleAction &Action,
163 const Preprocessor &PP, StringRef isysroot,
164 std::unique_ptr<raw_ostream> Out)
165 : PCHGenerator(PP, "", isysroot, std::make_shared<PCHBuffer>(),
166 ArrayRef<std::shared_ptr<ModuleFileExtension>>(),
167 /*AllowASTWithErrors=*/true),
168 Action(Action), Out(std::move(Out)) {}
169
170 bool HandleTopLevelDecl(DeclGroupRef DG) override {
171 Action.Callbacks.HandleTopLevelDecl(DG);
172 return true;
173 }
174
175 void HandleTranslationUnit(ASTContext &Ctx) override {
176 PCHGenerator::HandleTranslationUnit(Ctx);
177 if (!hasEmittedPCH())
178 return;
179
180 // Write the generated bitstream to "Out".
181 *Out << getPCH();
182 // Make sure it hits disk now.
183 Out->flush();
184 // Free the buffer.
185 llvm::SmallVector<char, 0> Empty;
186 getPCH() = std::move(Empty);
187
188 Action.setEmittedPreamblePCH(getWriter());
189 }
190
191private:
192 PrecompilePreambleAction &Action;
193 std::unique_ptr<raw_ostream> Out;
194};
195
196std::unique_ptr<ASTConsumer>
197PrecompilePreambleAction::CreateASTConsumer(CompilerInstance &CI,
Ilya Biryukov200b3282017-06-21 10:24:58 +0000198 StringRef InFile) {
199 std::string Sysroot;
Ilya Biryukov417085a2017-11-16 16:25:01 +0000200 if (!GeneratePCHAction::ComputeASTConsumerArguments(CI, Sysroot))
201 return nullptr;
202
203 std::unique_ptr<llvm::raw_ostream> OS;
204 if (InMemStorage) {
205 OS = llvm::make_unique<llvm::raw_string_ostream>(*InMemStorage);
206 } else {
207 std::string OutputFile;
208 OS = GeneratePCHAction::CreateOutputFile(CI, InFile, OutputFile);
209 }
Ilya Biryukov200b3282017-06-21 10:24:58 +0000210 if (!OS)
211 return nullptr;
212
213 if (!CI.getFrontendOpts().RelocatablePCH)
214 Sysroot.clear();
215
216 CI.getPreprocessor().addPPCallbacks(
217 llvm::make_unique<PreambleMacroCallbacks>(Callbacks));
218 return llvm::make_unique<PrecompilePreambleConsumer>(
219 *this, CI.getPreprocessor(), Sysroot, std::move(OS));
220}
221
222template <class T> bool moveOnNoError(llvm::ErrorOr<T> Val, T &Output) {
223 if (!Val)
224 return false;
225 Output = std::move(*Val);
226 return true;
227}
228
229} // namespace
230
231PreambleBounds clang::ComputePreambleBounds(const LangOptions &LangOpts,
232 llvm::MemoryBuffer *Buffer,
233 unsigned MaxLines) {
Cameron Desrochers84fd0642017-09-20 19:03:37 +0000234 return Lexer::ComputePreamble(Buffer->getBuffer(), LangOpts, MaxLines);
Ilya Biryukov200b3282017-06-21 10:24:58 +0000235}
236
237llvm::ErrorOr<PrecompiledPreamble> PrecompiledPreamble::Build(
238 const CompilerInvocation &Invocation,
239 const llvm::MemoryBuffer *MainFileBuffer, PreambleBounds Bounds,
240 DiagnosticsEngine &Diagnostics, IntrusiveRefCntPtr<vfs::FileSystem> VFS,
Ilya Biryukov417085a2017-11-16 16:25:01 +0000241 std::shared_ptr<PCHContainerOperations> PCHContainerOps, bool StoreInMemory,
Ilya Biryukov200b3282017-06-21 10:24:58 +0000242 PreambleCallbacks &Callbacks) {
243 assert(VFS && "VFS is null");
244
245 if (!Bounds.Size)
246 return BuildPreambleError::PreambleIsEmpty;
247
248 auto PreambleInvocation = std::make_shared<CompilerInvocation>(Invocation);
249 FrontendOptions &FrontendOpts = PreambleInvocation->getFrontendOpts();
250 PreprocessorOptions &PreprocessorOpts =
251 PreambleInvocation->getPreprocessorOpts();
252
Ilya Biryukov417085a2017-11-16 16:25:01 +0000253 llvm::Optional<TempPCHFile> TempFile;
254 if (!StoreInMemory) {
255 // Create a temporary file for the precompiled preamble. In rare
256 // circumstances, this can fail.
257 llvm::ErrorOr<PrecompiledPreamble::TempPCHFile> PreamblePCHFile =
258 PrecompiledPreamble::TempPCHFile::CreateNewPreamblePCHFile();
259 if (!PreamblePCHFile)
260 return BuildPreambleError::CouldntCreateTempFile;
261 TempFile = std::move(*PreamblePCHFile);
262 }
263
264 PCHStorage Storage = StoreInMemory ? PCHStorage(InMemoryPreamble())
265 : PCHStorage(std::move(*TempFile));
Ilya Biryukov200b3282017-06-21 10:24:58 +0000266
267 // Save the preamble text for later; we'll need to compare against it for
268 // subsequent reparses.
269 std::vector<char> PreambleBytes(MainFileBuffer->getBufferStart(),
270 MainFileBuffer->getBufferStart() +
271 Bounds.Size);
272 bool PreambleEndsAtStartOfLine = Bounds.PreambleEndsAtStartOfLine;
273
274 // Tell the compiler invocation to generate a temporary precompiled header.
275 FrontendOpts.ProgramAction = frontend::GeneratePCH;
Ilya Biryukov417085a2017-11-16 16:25:01 +0000276 FrontendOpts.OutputFile = StoreInMemory ? getInMemoryPreamblePath()
277 : Storage.asFile().getFilePath();
Ilya Biryukov200b3282017-06-21 10:24:58 +0000278 PreprocessorOpts.PrecompiledPreambleBytes.first = 0;
279 PreprocessorOpts.PrecompiledPreambleBytes.second = false;
Ilya Biryukoveb1ec872017-10-09 16:52:12 +0000280 // Inform preprocessor to record conditional stack when building the preamble.
281 PreprocessorOpts.GeneratePreamble = true;
Ilya Biryukov200b3282017-06-21 10:24:58 +0000282
283 // Create the compiler instance to use for building the precompiled preamble.
284 std::unique_ptr<CompilerInstance> Clang(
285 new CompilerInstance(std::move(PCHContainerOps)));
286
287 // Recover resources if we crash before exiting this method.
288 llvm::CrashRecoveryContextCleanupRegistrar<CompilerInstance> CICleanup(
289 Clang.get());
290
291 Clang->setInvocation(std::move(PreambleInvocation));
292 Clang->setDiagnostics(&Diagnostics);
293
294 // Create the target instance.
295 Clang->setTarget(TargetInfo::CreateTargetInfo(
296 Clang->getDiagnostics(), Clang->getInvocation().TargetOpts));
297 if (!Clang->hasTarget())
298 return BuildPreambleError::CouldntCreateTargetInfo;
299
300 // Inform the target of the language options.
301 //
302 // FIXME: We shouldn't need to do this, the target should be immutable once
303 // created. This complexity should be lifted elsewhere.
304 Clang->getTarget().adjust(Clang->getLangOpts());
305
306 assert(Clang->getFrontendOpts().Inputs.size() == 1 &&
307 "Invocation must have exactly one source file!");
308 assert(Clang->getFrontendOpts().Inputs[0].getKind().getFormat() ==
309 InputKind::Source &&
310 "FIXME: AST inputs not yet supported here!");
311 assert(Clang->getFrontendOpts().Inputs[0].getKind().getLanguage() !=
312 InputKind::LLVM_IR &&
313 "IR inputs not support here!");
314
315 // Clear out old caches and data.
316 Diagnostics.Reset();
317 ProcessWarningOptions(Diagnostics, Clang->getDiagnosticOpts());
318
319 VFS =
320 createVFSFromCompilerInvocation(Clang->getInvocation(), Diagnostics, VFS);
321 if (!VFS)
322 return BuildPreambleError::CouldntCreateVFSOverlay;
323
324 // Create a file manager object to provide access to and cache the filesystem.
325 Clang->setFileManager(new FileManager(Clang->getFileSystemOpts(), VFS));
326
327 // Create the source manager.
328 Clang->setSourceManager(
329 new SourceManager(Diagnostics, Clang->getFileManager()));
330
331 auto PreambleDepCollector = std::make_shared<DependencyCollector>();
332 Clang->addDependencyCollector(PreambleDepCollector);
333
334 // Remap the main source file to the preamble buffer.
335 StringRef MainFilePath = FrontendOpts.Inputs[0].getFile();
336 auto PreambleInputBuffer = llvm::MemoryBuffer::getMemBufferCopy(
337 MainFileBuffer->getBuffer().slice(0, Bounds.Size), MainFilePath);
338 if (PreprocessorOpts.RetainRemappedFileBuffers) {
339 // MainFileBuffer will be deleted by unique_ptr after leaving the method.
340 PreprocessorOpts.addRemappedFile(MainFilePath, PreambleInputBuffer.get());
341 } else {
342 // In that case, remapped buffer will be deleted by CompilerInstance on
343 // BeginSourceFile, so we call release() to avoid double deletion.
344 PreprocessorOpts.addRemappedFile(MainFilePath,
345 PreambleInputBuffer.release());
346 }
347
348 std::unique_ptr<PrecompilePreambleAction> Act;
Ilya Biryukov417085a2017-11-16 16:25:01 +0000349 Act.reset(new PrecompilePreambleAction(
350 StoreInMemory ? &Storage.asMemory().Data : nullptr, Callbacks));
Ilya Biryukov200b3282017-06-21 10:24:58 +0000351 if (!Act->BeginSourceFile(*Clang.get(), Clang->getFrontendOpts().Inputs[0]))
352 return BuildPreambleError::BeginSourceFileFailed;
353
354 Act->Execute();
355
356 // Run the callbacks.
357 Callbacks.AfterExecute(*Clang);
358
359 Act->EndSourceFile();
360
361 if (!Act->hasEmittedPreamblePCH())
362 return BuildPreambleError::CouldntEmitPCH;
363
364 // Keep track of all of the files that the source manager knows about,
365 // so we can verify whether they have changed or not.
366 llvm::StringMap<PrecompiledPreamble::PreambleFileHash> FilesInPreamble;
367
368 SourceManager &SourceMgr = Clang->getSourceManager();
369 for (auto &Filename : PreambleDepCollector->getDependencies()) {
370 const FileEntry *File = Clang->getFileManager().getFile(Filename);
371 if (!File || File == SourceMgr.getFileEntryForID(SourceMgr.getMainFileID()))
372 continue;
373 if (time_t ModTime = File->getModificationTime()) {
374 FilesInPreamble[File->getName()] =
375 PrecompiledPreamble::PreambleFileHash::createForFile(File->getSize(),
376 ModTime);
377 } else {
378 llvm::MemoryBuffer *Buffer = SourceMgr.getMemoryBufferForFile(File);
379 FilesInPreamble[File->getName()] =
380 PrecompiledPreamble::PreambleFileHash::createForMemoryBuffer(Buffer);
381 }
382 }
383
Ilya Biryukov417085a2017-11-16 16:25:01 +0000384 return PrecompiledPreamble(std::move(Storage), std::move(PreambleBytes),
385 PreambleEndsAtStartOfLine,
386 std::move(FilesInPreamble));
Ilya Biryukov200b3282017-06-21 10:24:58 +0000387}
388
389PreambleBounds PrecompiledPreamble::getBounds() const {
390 return PreambleBounds(PreambleBytes.size(), PreambleEndsAtStartOfLine);
391}
392
393bool PrecompiledPreamble::CanReuse(const CompilerInvocation &Invocation,
394 const llvm::MemoryBuffer *MainFileBuffer,
395 PreambleBounds Bounds,
396 vfs::FileSystem *VFS) const {
397
398 assert(
399 Bounds.Size <= MainFileBuffer->getBufferSize() &&
400 "Buffer is too large. Bounds were calculated from a different buffer?");
401
402 auto PreambleInvocation = std::make_shared<CompilerInvocation>(Invocation);
403 PreprocessorOptions &PreprocessorOpts =
404 PreambleInvocation->getPreprocessorOpts();
405
406 if (!Bounds.Size)
407 return false;
408
409 // We've previously computed a preamble. Check whether we have the same
410 // preamble now that we did before, and that there's enough space in
411 // the main-file buffer within the precompiled preamble to fit the
412 // new main file.
413 if (PreambleBytes.size() != Bounds.Size ||
414 PreambleEndsAtStartOfLine != Bounds.PreambleEndsAtStartOfLine ||
415 memcmp(PreambleBytes.data(), MainFileBuffer->getBufferStart(),
416 Bounds.Size) != 0)
417 return false;
418 // The preamble has not changed. We may be able to re-use the precompiled
419 // preamble.
420
421 // Check that none of the files used by the preamble have changed.
422 // First, make a record of those files that have been overridden via
423 // remapping or unsaved_files.
424 std::map<llvm::sys::fs::UniqueID, PreambleFileHash> OverriddenFiles;
425 for (const auto &R : PreprocessorOpts.RemappedFiles) {
426 vfs::Status Status;
427 if (!moveOnNoError(VFS->status(R.second), Status)) {
428 // If we can't stat the file we're remapping to, assume that something
429 // horrible happened.
430 return false;
431 }
432
433 OverriddenFiles[Status.getUniqueID()] = PreambleFileHash::createForFile(
434 Status.getSize(), llvm::sys::toTimeT(Status.getLastModificationTime()));
435 }
436
437 for (const auto &RB : PreprocessorOpts.RemappedFileBuffers) {
438 vfs::Status Status;
439 if (!moveOnNoError(VFS->status(RB.first), Status))
440 return false;
441
442 OverriddenFiles[Status.getUniqueID()] =
443 PreambleFileHash::createForMemoryBuffer(RB.second);
444 }
445
446 // Check whether anything has changed.
447 for (const auto &F : FilesInPreamble) {
448 vfs::Status Status;
449 if (!moveOnNoError(VFS->status(F.first()), Status)) {
450 // If we can't stat the file, assume that something horrible happened.
451 return false;
452 }
453
454 std::map<llvm::sys::fs::UniqueID, PreambleFileHash>::iterator Overridden =
455 OverriddenFiles.find(Status.getUniqueID());
456 if (Overridden != OverriddenFiles.end()) {
457 // This file was remapped; check whether the newly-mapped file
458 // matches up with the previous mapping.
459 if (Overridden->second != F.second)
460 return false;
461 continue;
462 }
463
464 // The file was not remapped; check whether it has changed on disk.
465 if (Status.getSize() != uint64_t(F.second.Size) ||
466 llvm::sys::toTimeT(Status.getLastModificationTime()) !=
467 F.second.ModTime)
468 return false;
469 }
470 return true;
471}
472
473void PrecompiledPreamble::AddImplicitPreamble(
Ilya Biryukov417085a2017-11-16 16:25:01 +0000474 CompilerInvocation &CI, IntrusiveRefCntPtr<vfs::FileSystem> &VFS,
475 llvm::MemoryBuffer *MainFileBuffer) const {
476 assert(VFS && "VFS must not be null");
Ilya Biryukov200b3282017-06-21 10:24:58 +0000477
Ilya Biryukov417085a2017-11-16 16:25:01 +0000478 auto &PreprocessorOpts = CI.getPreprocessorOpts();
Ilya Biryukov200b3282017-06-21 10:24:58 +0000479
480 // Remap main file to point to MainFileBuffer.
481 auto MainFilePath = CI.getFrontendOpts().Inputs[0].getFile();
482 PreprocessorOpts.addRemappedFile(MainFilePath, MainFileBuffer);
Ilya Biryukov417085a2017-11-16 16:25:01 +0000483
484 // Configure ImpicitPCHInclude.
485 PreprocessorOpts.PrecompiledPreambleBytes.first = PreambleBytes.size();
486 PreprocessorOpts.PrecompiledPreambleBytes.second = PreambleEndsAtStartOfLine;
487 PreprocessorOpts.DisablePCHValidation = true;
488
489 setupPreambleStorage(Storage, PreprocessorOpts, VFS);
Ilya Biryukov200b3282017-06-21 10:24:58 +0000490}
491
492PrecompiledPreamble::PrecompiledPreamble(
Ilya Biryukov417085a2017-11-16 16:25:01 +0000493 PCHStorage Storage, std::vector<char> PreambleBytes,
Ilya Biryukov200b3282017-06-21 10:24:58 +0000494 bool PreambleEndsAtStartOfLine,
495 llvm::StringMap<PreambleFileHash> FilesInPreamble)
Ilya Biryukov417085a2017-11-16 16:25:01 +0000496 : Storage(std::move(Storage)), FilesInPreamble(std::move(FilesInPreamble)),
Ilya Biryukov200b3282017-06-21 10:24:58 +0000497 PreambleBytes(std::move(PreambleBytes)),
Ilya Biryukov417085a2017-11-16 16:25:01 +0000498 PreambleEndsAtStartOfLine(PreambleEndsAtStartOfLine) {
499 assert(this->Storage.getKind() != PCHStorage::Kind::Empty);
500}
Ilya Biryukov200b3282017-06-21 10:24:58 +0000501
502llvm::ErrorOr<PrecompiledPreamble::TempPCHFile>
503PrecompiledPreamble::TempPCHFile::CreateNewPreamblePCHFile() {
504 // FIXME: This is a hack so that we can override the preamble file during
505 // crash-recovery testing, which is the only case where the preamble files
506 // are not necessarily cleaned up.
507 const char *TmpFile = ::getenv("CINDEXTEST_PREAMBLE_FILE");
508 if (TmpFile)
509 return TempPCHFile::createFromCustomPath(TmpFile);
510 return TempPCHFile::createInSystemTempDir("preamble", "pch");
511}
512
513llvm::ErrorOr<PrecompiledPreamble::TempPCHFile>
514PrecompiledPreamble::TempPCHFile::createInSystemTempDir(const Twine &Prefix,
515 StringRef Suffix) {
516 llvm::SmallString<64> File;
Ilya Biryukovb88de412017-08-10 16:10:40 +0000517 // Using a version of createTemporaryFile with a file descriptor guarantees
518 // that we would never get a race condition in a multi-threaded setting (i.e.,
519 // multiple threads getting the same temporary path).
520 int FD;
Ilya Biryukov417085a2017-11-16 16:25:01 +0000521 auto EC = llvm::sys::fs::createTemporaryFile(Prefix, Suffix, FD, File);
Ilya Biryukov200b3282017-06-21 10:24:58 +0000522 if (EC)
523 return EC;
Ilya Biryukovb88de412017-08-10 16:10:40 +0000524 // We only needed to make sure the file exists, close the file right away.
525 llvm::sys::Process::SafelyCloseFileDescriptor(FD);
Ilya Biryukov200b3282017-06-21 10:24:58 +0000526 return TempPCHFile(std::move(File).str());
527}
528
529llvm::ErrorOr<PrecompiledPreamble::TempPCHFile>
530PrecompiledPreamble::TempPCHFile::createFromCustomPath(const Twine &Path) {
531 return TempPCHFile(Path.str());
532}
533
534PrecompiledPreamble::TempPCHFile::TempPCHFile(std::string FilePath)
535 : FilePath(std::move(FilePath)) {
536 TemporaryFiles::getInstance().addFile(*this->FilePath);
537}
538
539PrecompiledPreamble::TempPCHFile::TempPCHFile(TempPCHFile &&Other) {
540 FilePath = std::move(Other.FilePath);
541 Other.FilePath = None;
542}
543
544PrecompiledPreamble::TempPCHFile &PrecompiledPreamble::TempPCHFile::
545operator=(TempPCHFile &&Other) {
546 RemoveFileIfPresent();
547
548 FilePath = std::move(Other.FilePath);
549 Other.FilePath = None;
550 return *this;
551}
552
553PrecompiledPreamble::TempPCHFile::~TempPCHFile() { RemoveFileIfPresent(); }
554
555void PrecompiledPreamble::TempPCHFile::RemoveFileIfPresent() {
556 if (FilePath) {
557 TemporaryFiles::getInstance().removeFile(*FilePath);
558 FilePath = None;
559 }
560}
561
562llvm::StringRef PrecompiledPreamble::TempPCHFile::getFilePath() const {
563 assert(FilePath && "TempPCHFile doesn't have a FilePath. Had it been moved?");
564 return *FilePath;
565}
566
Ilya Biryukov417085a2017-11-16 16:25:01 +0000567PrecompiledPreamble::PCHStorage::PCHStorage(TempPCHFile File)
568 : StorageKind(Kind::TempFile) {
569 new (&asFile()) TempPCHFile(std::move(File));
570}
571
572PrecompiledPreamble::PCHStorage::PCHStorage(InMemoryPreamble Memory)
573 : StorageKind(Kind::InMemory) {
574 new (&asMemory()) InMemoryPreamble(std::move(Memory));
575}
576
577PrecompiledPreamble::PCHStorage::PCHStorage(PCHStorage &&Other) : PCHStorage() {
578 *this = std::move(Other);
579}
580
581PrecompiledPreamble::PCHStorage &PrecompiledPreamble::PCHStorage::
582operator=(PCHStorage &&Other) {
583 destroy();
584
585 StorageKind = Other.StorageKind;
586 switch (StorageKind) {
587 case Kind::Empty:
588 // do nothing;
589 break;
590 case Kind::TempFile:
591 new (&asFile()) TempPCHFile(std::move(Other.asFile()));
592 break;
593 case Kind::InMemory:
594 new (&asMemory()) InMemoryPreamble(std::move(Other.asMemory()));
595 break;
596 }
597
598 Other.setEmpty();
599 return *this;
600}
601
602PrecompiledPreamble::PCHStorage::~PCHStorage() { destroy(); }
603
604PrecompiledPreamble::PCHStorage::Kind
605PrecompiledPreamble::PCHStorage::getKind() const {
606 return StorageKind;
607}
608
609PrecompiledPreamble::TempPCHFile &PrecompiledPreamble::PCHStorage::asFile() {
610 assert(getKind() == Kind::TempFile);
611 return *reinterpret_cast<TempPCHFile *>(Storage.buffer);
612}
613
614const PrecompiledPreamble::TempPCHFile &
615PrecompiledPreamble::PCHStorage::asFile() const {
616 return const_cast<PCHStorage *>(this)->asFile();
617}
618
619PrecompiledPreamble::InMemoryPreamble &
620PrecompiledPreamble::PCHStorage::asMemory() {
621 assert(getKind() == Kind::InMemory);
622 return *reinterpret_cast<InMemoryPreamble *>(Storage.buffer);
623}
624
625const PrecompiledPreamble::InMemoryPreamble &
626PrecompiledPreamble::PCHStorage::asMemory() const {
627 return const_cast<PCHStorage *>(this)->asMemory();
628}
629
630void PrecompiledPreamble::PCHStorage::destroy() {
631 switch (StorageKind) {
632 case Kind::Empty:
633 return;
634 case Kind::TempFile:
635 asFile().~TempPCHFile();
636 return;
637 case Kind::InMemory:
638 asMemory().~InMemoryPreamble();
639 return;
640 }
641}
642
643void PrecompiledPreamble::PCHStorage::setEmpty() {
644 destroy();
645 StorageKind = Kind::Empty;
646}
647
Ilya Biryukov200b3282017-06-21 10:24:58 +0000648PrecompiledPreamble::PreambleFileHash
649PrecompiledPreamble::PreambleFileHash::createForFile(off_t Size,
650 time_t ModTime) {
651 PreambleFileHash Result;
652 Result.Size = Size;
653 Result.ModTime = ModTime;
654 Result.MD5 = {};
655 return Result;
656}
657
658PrecompiledPreamble::PreambleFileHash
659PrecompiledPreamble::PreambleFileHash::createForMemoryBuffer(
660 const llvm::MemoryBuffer *Buffer) {
661 PreambleFileHash Result;
662 Result.Size = Buffer->getBufferSize();
663 Result.ModTime = 0;
664
665 llvm::MD5 MD5Ctx;
666 MD5Ctx.update(Buffer->getBuffer().data());
667 MD5Ctx.final(Result.MD5);
668
669 return Result;
670}
671
Ilya Biryukov417085a2017-11-16 16:25:01 +0000672void PrecompiledPreamble::setupPreambleStorage(
673 const PCHStorage &Storage, PreprocessorOptions &PreprocessorOpts,
674 IntrusiveRefCntPtr<vfs::FileSystem> &VFS) {
675 if (Storage.getKind() == PCHStorage::Kind::TempFile) {
676 const TempPCHFile &PCHFile = Storage.asFile();
677 PreprocessorOpts.ImplicitPCHInclude = PCHFile.getFilePath();
678
679 // Make sure we can access the PCH file even if we're using a VFS
680 IntrusiveRefCntPtr<vfs::FileSystem> RealFS = vfs::getRealFileSystem();
681 auto PCHPath = PCHFile.getFilePath();
682 if (VFS == RealFS || VFS->exists(PCHPath))
683 return;
684 auto Buf = RealFS->getBufferForFile(PCHPath);
685 if (!Buf) {
686 // We can't read the file even from RealFS, this is clearly an error,
687 // but we'll just leave the current VFS as is and let clang's code
688 // figure out what to do with missing PCH.
689 return;
690 }
691
692 // We have a slight inconsistency here -- we're using the VFS to
693 // read files, but the PCH was generated in the real file system.
694 VFS = createVFSOverlayForPreamblePCH(PCHPath, std::move(*Buf), VFS);
695 } else {
696 assert(Storage.getKind() == PCHStorage::Kind::InMemory);
697 // For in-memory preamble, we have to provide a VFS overlay that makes it
698 // accessible.
699 StringRef PCHPath = getInMemoryPreamblePath();
700 PreprocessorOpts.ImplicitPCHInclude = PCHPath;
701
Ilya Biryukov8318f61b2017-11-24 13:12:38 +0000702 auto Buf = llvm::MemoryBuffer::getMemBuffer(Storage.asMemory().Data);
Ilya Biryukov417085a2017-11-16 16:25:01 +0000703 VFS = createVFSOverlayForPreamblePCH(PCHPath, std::move(Buf), VFS);
704 }
705}
706
Ilya Biryukov200b3282017-06-21 10:24:58 +0000707void PreambleCallbacks::AfterExecute(CompilerInstance &CI) {}
708void PreambleCallbacks::AfterPCHEmitted(ASTWriter &Writer) {}
709void PreambleCallbacks::HandleTopLevelDecl(DeclGroupRef DG) {}
710void PreambleCallbacks::HandleMacroDefined(const Token &MacroNameTok,
711 const MacroDirective *MD) {}
712
713std::error_code clang::make_error_code(BuildPreambleError Error) {
714 return std::error_code(static_cast<int>(Error), BuildPreambleErrorCategory());
715}
716
717const char *BuildPreambleErrorCategory::name() const noexcept {
718 return "build-preamble.error";
719}
720
721std::string BuildPreambleErrorCategory::message(int condition) const {
722 switch (static_cast<BuildPreambleError>(condition)) {
723 case BuildPreambleError::PreambleIsEmpty:
724 return "Preamble is empty";
725 case BuildPreambleError::CouldntCreateTempFile:
726 return "Could not create temporary file for PCH";
727 case BuildPreambleError::CouldntCreateTargetInfo:
728 return "CreateTargetInfo() return null";
729 case BuildPreambleError::CouldntCreateVFSOverlay:
730 return "Could not create VFS Overlay";
731 case BuildPreambleError::BeginSourceFileFailed:
732 return "BeginSourceFile() return an error";
733 case BuildPreambleError::CouldntEmitPCH:
734 return "Could not emit PCH";
735 }
736 llvm_unreachable("unexpected BuildPreambleError");
737}