blob: 88d08b4b669793eae038dc0bc1a20af889fec8ae [file] [log] [blame]
Ben Langmuirc8130a72014-02-20 21:59:23 +00001//===- VirtualFileSystem.cpp - Virtual File System Layer --------*- 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// This file implements the VirtualFileSystem interface.
10//===----------------------------------------------------------------------===//
11
12#include "clang/Basic/VirtualFileSystem.h"
Benjamin Kramer71ce3762015-10-12 16:16:39 +000013#include "clang/Basic/FileManager.h"
Ben Langmuird51ba0b2014-02-21 23:39:37 +000014#include "llvm/ADT/DenseMap.h"
Ben Langmuird51ba0b2014-02-21 23:39:37 +000015#include "llvm/ADT/STLExtras.h"
16#include "llvm/ADT/StringExtras.h"
Ben Langmuir740812b2014-06-24 19:37:16 +000017#include "llvm/ADT/StringSet.h"
Chandler Carruth0d9593d2015-01-14 11:29:14 +000018#include "llvm/ADT/iterator_range.h"
Benjamin Kramercfeacf52016-05-27 14:27:13 +000019#include "llvm/Config/llvm-config.h"
Bruno Cardoso Lopesb2e2e212016-05-06 23:21:57 +000020#include "llvm/Support/Debug.h"
Rafael Espindola71de0b62014-06-13 17:20:50 +000021#include "llvm/Support/Errc.h"
Ben Langmuirc8130a72014-02-20 21:59:23 +000022#include "llvm/Support/MemoryBuffer.h"
Ben Langmuirc8130a72014-02-20 21:59:23 +000023#include "llvm/Support/Path.h"
David Majnemer6a6206d2016-03-04 05:26:14 +000024#include "llvm/Support/Process.h"
Ben Langmuird51ba0b2014-02-21 23:39:37 +000025#include "llvm/Support/YAMLParser.h"
Benjamin Kramer4527fb22014-03-02 17:08:31 +000026#include <atomic>
Ahmed Charlesdfca6f92014-03-09 11:36:40 +000027#include <memory>
Benjamin Kramercfeacf52016-05-27 14:27:13 +000028#include <utility>
Ben Langmuirc8130a72014-02-20 21:59:23 +000029
Benjamin Kramerd6bbee72015-10-05 14:06:36 +000030// For chdir.
31#ifdef LLVM_ON_WIN32
32# include <direct.h>
33#else
34# include <unistd.h>
35#endif
36
Ben Langmuirc8130a72014-02-20 21:59:23 +000037using namespace clang;
38using namespace clang::vfs;
39using namespace llvm;
40using llvm::sys::fs::file_status;
41using llvm::sys::fs::file_type;
42using llvm::sys::fs::perms;
43using llvm::sys::fs::UniqueID;
44
45Status::Status(const file_status &Status)
46 : UID(Status.getUniqueID()), MTime(Status.getLastModificationTime()),
47 User(Status.getUser()), Group(Status.getGroup()), Size(Status.getSize()),
Ben Langmuir5de00f32014-05-23 18:15:47 +000048 Type(Status.type()), Perms(Status.permissions()), IsVFSMapped(false) {}
Ben Langmuirc8130a72014-02-20 21:59:23 +000049
Pavel Labathac71c8e2016-11-09 10:52:22 +000050Status::Status(StringRef Name, UniqueID UID, sys::TimePoint<> MTime,
Benjamin Kramer268b51a2015-10-05 13:15:33 +000051 uint32_t User, uint32_t Group, uint64_t Size, file_type Type,
52 perms Perms)
Ben Langmuirb59cf672014-02-27 00:25:12 +000053 : Name(Name), UID(UID), MTime(MTime), User(User), Group(Group), Size(Size),
Ben Langmuir5de00f32014-05-23 18:15:47 +000054 Type(Type), Perms(Perms), IsVFSMapped(false) {}
Ben Langmuirc8130a72014-02-20 21:59:23 +000055
Benjamin Kramer268b51a2015-10-05 13:15:33 +000056Status Status::copyWithNewName(const Status &In, StringRef NewName) {
57 return Status(NewName, In.getUniqueID(), In.getLastModificationTime(),
58 In.getUser(), In.getGroup(), In.getSize(), In.getType(),
59 In.getPermissions());
60}
61
62Status Status::copyWithNewName(const file_status &In, StringRef NewName) {
63 return Status(NewName, In.getUniqueID(), In.getLastModificationTime(),
64 In.getUser(), In.getGroup(), In.getSize(), In.type(),
65 In.permissions());
66}
67
Ben Langmuirc8130a72014-02-20 21:59:23 +000068bool Status::equivalent(const Status &Other) const {
69 return getUniqueID() == Other.getUniqueID();
70}
71bool Status::isDirectory() const {
72 return Type == file_type::directory_file;
73}
74bool Status::isRegularFile() const {
75 return Type == file_type::regular_file;
76}
77bool Status::isOther() const {
78 return exists() && !isRegularFile() && !isDirectory() && !isSymlink();
79}
80bool Status::isSymlink() const {
81 return Type == file_type::symlink_file;
82}
83bool Status::isStatusKnown() const {
84 return Type != file_type::status_error;
85}
86bool Status::exists() const {
87 return isStatusKnown() && Type != file_type::file_not_found;
88}
89
Angel Garcia Gomez637d1e62015-10-20 13:23:58 +000090File::~File() {}
Ben Langmuirc8130a72014-02-20 21:59:23 +000091
Angel Garcia Gomez637d1e62015-10-20 13:23:58 +000092FileSystem::~FileSystem() {}
Ben Langmuirc8130a72014-02-20 21:59:23 +000093
Benjamin Kramera8857962014-10-26 22:44:13 +000094ErrorOr<std::unique_ptr<MemoryBuffer>>
95FileSystem::getBufferForFile(const llvm::Twine &Name, int64_t FileSize,
96 bool RequiresNullTerminator, bool IsVolatile) {
97 auto F = openFileForRead(Name);
98 if (!F)
99 return F.getError();
Ben Langmuirc8130a72014-02-20 21:59:23 +0000100
Benjamin Kramera8857962014-10-26 22:44:13 +0000101 return (*F)->getBuffer(Name, FileSize, RequiresNullTerminator, IsVolatile);
Ben Langmuirc8130a72014-02-20 21:59:23 +0000102}
103
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000104std::error_code FileSystem::makeAbsolute(SmallVectorImpl<char> &Path) const {
Bob Wilsonf43354f2016-03-26 18:55:13 +0000105 if (llvm::sys::path::is_absolute(Path))
106 return std::error_code();
107
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000108 auto WorkingDir = getCurrentWorkingDirectory();
109 if (!WorkingDir)
110 return WorkingDir.getError();
111
112 return llvm::sys::fs::make_absolute(WorkingDir.get(), Path);
113}
114
Benjamin Kramerd45b2052015-10-07 15:48:01 +0000115bool FileSystem::exists(const Twine &Path) {
116 auto Status = status(Path);
117 return Status && Status->exists();
118}
119
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +0000120#ifndef NDEBUG
121static bool isTraversalComponent(StringRef Component) {
122 return Component.equals("..") || Component.equals(".");
123}
124
125static bool pathHasTraversal(StringRef Path) {
126 using namespace llvm::sys;
127 for (StringRef Comp : llvm::make_range(path::begin(Path), path::end(Path)))
128 if (isTraversalComponent(Comp))
129 return true;
130 return false;
131}
132#endif
133
Ben Langmuirc8130a72014-02-20 21:59:23 +0000134//===-----------------------------------------------------------------------===/
135// RealFileSystem implementation
136//===-----------------------------------------------------------------------===/
137
Benjamin Kramer3d6220d2014-03-01 17:21:22 +0000138namespace {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000139/// \brief Wrapper around a raw file descriptor.
140class RealFile : public File {
141 int FD;
Ben Langmuird066d4c2014-02-28 21:16:07 +0000142 Status S;
Taewook Ohf42103c2016-06-13 20:40:21 +0000143 std::string RealName;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000144 friend class RealFileSystem;
Taewook Ohf42103c2016-06-13 20:40:21 +0000145 RealFile(int FD, StringRef NewName, StringRef NewRealPathName)
Benjamin Kramer268b51a2015-10-05 13:15:33 +0000146 : FD(FD), S(NewName, {}, {}, {}, {}, {},
Taewook Ohf42103c2016-06-13 20:40:21 +0000147 llvm::sys::fs::file_type::status_error, {}),
148 RealName(NewRealPathName.str()) {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000149 assert(FD >= 0 && "Invalid or inactive file descriptor");
150 }
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000151
Ben Langmuirc8130a72014-02-20 21:59:23 +0000152public:
Alexander Kornienko34eb2072015-04-11 02:00:23 +0000153 ~RealFile() override;
Craig Toppera798a9d2014-03-02 09:32:10 +0000154 ErrorOr<Status> status() override;
Taewook Ohf42103c2016-06-13 20:40:21 +0000155 ErrorOr<std::string> getName() override;
Benjamin Kramer737501c2015-10-05 21:20:19 +0000156 ErrorOr<std::unique_ptr<MemoryBuffer>> getBuffer(const Twine &Name,
157 int64_t FileSize,
158 bool RequiresNullTerminator,
159 bool IsVolatile) override;
Rafael Espindola8e650d72014-06-12 20:37:59 +0000160 std::error_code close() override;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000161};
Benjamin Kramer3d6220d2014-03-01 17:21:22 +0000162} // end anonymous namespace
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000163RealFile::~RealFile() { close(); }
Ben Langmuirc8130a72014-02-20 21:59:23 +0000164
165ErrorOr<Status> RealFile::status() {
166 assert(FD != -1 && "cannot stat closed file");
Ben Langmuird066d4c2014-02-28 21:16:07 +0000167 if (!S.isStatusKnown()) {
168 file_status RealStatus;
Rafael Espindola8e650d72014-06-12 20:37:59 +0000169 if (std::error_code EC = sys::fs::status(FD, RealStatus))
Ben Langmuird066d4c2014-02-28 21:16:07 +0000170 return EC;
Benjamin Kramer268b51a2015-10-05 13:15:33 +0000171 S = Status::copyWithNewName(RealStatus, S.getName());
Ben Langmuird066d4c2014-02-28 21:16:07 +0000172 }
173 return S;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000174}
175
Taewook Ohf42103c2016-06-13 20:40:21 +0000176ErrorOr<std::string> RealFile::getName() {
177 return RealName.empty() ? S.getName().str() : RealName;
178}
179
Benjamin Kramera8857962014-10-26 22:44:13 +0000180ErrorOr<std::unique_ptr<MemoryBuffer>>
181RealFile::getBuffer(const Twine &Name, int64_t FileSize,
182 bool RequiresNullTerminator, bool IsVolatile) {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000183 assert(FD != -1 && "cannot get buffer for closed file");
Benjamin Kramera8857962014-10-26 22:44:13 +0000184 return MemoryBuffer::getOpenFile(FD, Name, FileSize, RequiresNullTerminator,
185 IsVolatile);
Ben Langmuirc8130a72014-02-20 21:59:23 +0000186}
187
Rafael Espindola8e650d72014-06-12 20:37:59 +0000188std::error_code RealFile::close() {
David Majnemer6a6206d2016-03-04 05:26:14 +0000189 std::error_code EC = sys::Process::SafelyCloseFileDescriptor(FD);
Ben Langmuirc8130a72014-02-20 21:59:23 +0000190 FD = -1;
David Majnemer6a6206d2016-03-04 05:26:14 +0000191 return EC;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000192}
193
Benjamin Kramer3d6220d2014-03-01 17:21:22 +0000194namespace {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000195/// \brief The file system according to your operating system.
196class RealFileSystem : public FileSystem {
197public:
Craig Toppera798a9d2014-03-02 09:32:10 +0000198 ErrorOr<Status> status(const Twine &Path) override;
Benjamin Kramera8857962014-10-26 22:44:13 +0000199 ErrorOr<std::unique_ptr<File>> openFileForRead(const Twine &Path) override;
Ben Langmuir740812b2014-06-24 19:37:16 +0000200 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override;
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000201
202 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override;
203 std::error_code setCurrentWorkingDirectory(const Twine &Path) override;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000204};
Benjamin Kramer3d6220d2014-03-01 17:21:22 +0000205} // end anonymous namespace
Ben Langmuirc8130a72014-02-20 21:59:23 +0000206
207ErrorOr<Status> RealFileSystem::status(const Twine &Path) {
208 sys::fs::file_status RealStatus;
Rafael Espindola8e650d72014-06-12 20:37:59 +0000209 if (std::error_code EC = sys::fs::status(Path, RealStatus))
Ben Langmuirc8130a72014-02-20 21:59:23 +0000210 return EC;
Benjamin Kramer268b51a2015-10-05 13:15:33 +0000211 return Status::copyWithNewName(RealStatus, Path.str());
Ben Langmuirc8130a72014-02-20 21:59:23 +0000212}
213
Benjamin Kramera8857962014-10-26 22:44:13 +0000214ErrorOr<std::unique_ptr<File>>
215RealFileSystem::openFileForRead(const Twine &Name) {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000216 int FD;
Taewook Ohf42103c2016-06-13 20:40:21 +0000217 SmallString<256> RealName;
218 if (std::error_code EC = sys::fs::openFileForRead(Name, FD, &RealName))
Ben Langmuirc8130a72014-02-20 21:59:23 +0000219 return EC;
Taewook Ohf42103c2016-06-13 20:40:21 +0000220 return std::unique_ptr<File>(new RealFile(FD, Name.str(), RealName.str()));
Ben Langmuirc8130a72014-02-20 21:59:23 +0000221}
222
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000223llvm::ErrorOr<std::string> RealFileSystem::getCurrentWorkingDirectory() const {
224 SmallString<256> Dir;
225 if (std::error_code EC = llvm::sys::fs::current_path(Dir))
226 return EC;
227 return Dir.str().str();
228}
229
230std::error_code RealFileSystem::setCurrentWorkingDirectory(const Twine &Path) {
231 // FIXME: chdir is thread hostile; on the other hand, creating the same
232 // behavior as chdir is complex: chdir resolves the path once, thus
233 // guaranteeing that all subsequent relative path operations work
234 // on the same path the original chdir resulted in. This makes a
235 // difference for example on network filesystems, where symlinks might be
236 // switched during runtime of the tool. Fixing this depends on having a
237 // file system abstraction that allows openat() style interactions.
238 SmallString<256> Storage;
239 StringRef Dir = Path.toNullTerminatedStringRef(Storage);
240 if (int Err = ::chdir(Dir.data()))
241 return std::error_code(Err, std::generic_category());
242 return std::error_code();
243}
244
Ben Langmuirc8130a72014-02-20 21:59:23 +0000245IntrusiveRefCntPtr<FileSystem> vfs::getRealFileSystem() {
246 static IntrusiveRefCntPtr<FileSystem> FS = new RealFileSystem();
247 return FS;
248}
249
Ben Langmuir740812b2014-06-24 19:37:16 +0000250namespace {
251class RealFSDirIter : public clang::vfs::detail::DirIterImpl {
252 std::string Path;
253 llvm::sys::fs::directory_iterator Iter;
254public:
255 RealFSDirIter(const Twine &_Path, std::error_code &EC)
256 : Path(_Path.str()), Iter(Path, EC) {
257 if (!EC && Iter != llvm::sys::fs::directory_iterator()) {
258 llvm::sys::fs::file_status S;
259 EC = Iter->status(S);
Benjamin Kramer268b51a2015-10-05 13:15:33 +0000260 if (!EC)
261 CurrentEntry = Status::copyWithNewName(S, Iter->path());
Ben Langmuir740812b2014-06-24 19:37:16 +0000262 }
263 }
264
265 std::error_code increment() override {
266 std::error_code EC;
267 Iter.increment(EC);
268 if (EC) {
269 return EC;
270 } else if (Iter == llvm::sys::fs::directory_iterator()) {
271 CurrentEntry = Status();
272 } else {
273 llvm::sys::fs::file_status S;
274 EC = Iter->status(S);
Benjamin Kramer268b51a2015-10-05 13:15:33 +0000275 CurrentEntry = Status::copyWithNewName(S, Iter->path());
Ben Langmuir740812b2014-06-24 19:37:16 +0000276 }
277 return EC;
278 }
279};
Alexander Kornienkoab9db512015-06-22 23:07:51 +0000280}
Ben Langmuir740812b2014-06-24 19:37:16 +0000281
282directory_iterator RealFileSystem::dir_begin(const Twine &Dir,
283 std::error_code &EC) {
284 return directory_iterator(std::make_shared<RealFSDirIter>(Dir, EC));
285}
286
Ben Langmuirc8130a72014-02-20 21:59:23 +0000287//===-----------------------------------------------------------------------===/
288// OverlayFileSystem implementation
289//===-----------------------------------------------------------------------===/
290OverlayFileSystem::OverlayFileSystem(IntrusiveRefCntPtr<FileSystem> BaseFS) {
Benjamin Kramerd6da1a02016-06-12 20:05:23 +0000291 FSList.push_back(std::move(BaseFS));
Ben Langmuirc8130a72014-02-20 21:59:23 +0000292}
293
294void OverlayFileSystem::pushOverlay(IntrusiveRefCntPtr<FileSystem> FS) {
295 FSList.push_back(FS);
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000296 // Synchronize added file systems by duplicating the working directory from
297 // the first one in the list.
298 FS->setCurrentWorkingDirectory(getCurrentWorkingDirectory().get());
Ben Langmuirc8130a72014-02-20 21:59:23 +0000299}
300
301ErrorOr<Status> OverlayFileSystem::status(const Twine &Path) {
302 // FIXME: handle symlinks that cross file systems
303 for (iterator I = overlays_begin(), E = overlays_end(); I != E; ++I) {
304 ErrorOr<Status> Status = (*I)->status(Path);
Rafael Espindola71de0b62014-06-13 17:20:50 +0000305 if (Status || Status.getError() != llvm::errc::no_such_file_or_directory)
Ben Langmuirc8130a72014-02-20 21:59:23 +0000306 return Status;
307 }
Rafael Espindola71de0b62014-06-13 17:20:50 +0000308 return make_error_code(llvm::errc::no_such_file_or_directory);
Ben Langmuirc8130a72014-02-20 21:59:23 +0000309}
310
Benjamin Kramera8857962014-10-26 22:44:13 +0000311ErrorOr<std::unique_ptr<File>>
312OverlayFileSystem::openFileForRead(const llvm::Twine &Path) {
Ben Langmuirc8130a72014-02-20 21:59:23 +0000313 // FIXME: handle symlinks that cross file systems
314 for (iterator I = overlays_begin(), E = overlays_end(); I != E; ++I) {
Benjamin Kramera8857962014-10-26 22:44:13 +0000315 auto Result = (*I)->openFileForRead(Path);
316 if (Result || Result.getError() != llvm::errc::no_such_file_or_directory)
317 return Result;
Ben Langmuirc8130a72014-02-20 21:59:23 +0000318 }
Rafael Espindola71de0b62014-06-13 17:20:50 +0000319 return make_error_code(llvm::errc::no_such_file_or_directory);
Ben Langmuirc8130a72014-02-20 21:59:23 +0000320}
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000321
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000322llvm::ErrorOr<std::string>
323OverlayFileSystem::getCurrentWorkingDirectory() const {
324 // All file systems are synchronized, just take the first working directory.
325 return FSList.front()->getCurrentWorkingDirectory();
326}
327std::error_code
328OverlayFileSystem::setCurrentWorkingDirectory(const Twine &Path) {
329 for (auto &FS : FSList)
330 if (std::error_code EC = FS->setCurrentWorkingDirectory(Path))
331 return EC;
332 return std::error_code();
333}
334
Angel Garcia Gomez637d1e62015-10-20 13:23:58 +0000335clang::vfs::detail::DirIterImpl::~DirIterImpl() { }
Ben Langmuir740812b2014-06-24 19:37:16 +0000336
337namespace {
338class OverlayFSDirIterImpl : public clang::vfs::detail::DirIterImpl {
339 OverlayFileSystem &Overlays;
340 std::string Path;
341 OverlayFileSystem::iterator CurrentFS;
342 directory_iterator CurrentDirIter;
343 llvm::StringSet<> SeenNames;
344
345 std::error_code incrementFS() {
346 assert(CurrentFS != Overlays.overlays_end() && "incrementing past end");
347 ++CurrentFS;
348 for (auto E = Overlays.overlays_end(); CurrentFS != E; ++CurrentFS) {
349 std::error_code EC;
350 CurrentDirIter = (*CurrentFS)->dir_begin(Path, EC);
351 if (EC && EC != errc::no_such_file_or_directory)
352 return EC;
353 if (CurrentDirIter != directory_iterator())
354 break; // found
355 }
356 return std::error_code();
357 }
358
359 std::error_code incrementDirIter(bool IsFirstTime) {
360 assert((IsFirstTime || CurrentDirIter != directory_iterator()) &&
361 "incrementing past end");
362 std::error_code EC;
363 if (!IsFirstTime)
364 CurrentDirIter.increment(EC);
365 if (!EC && CurrentDirIter == directory_iterator())
366 EC = incrementFS();
367 return EC;
368 }
369
370 std::error_code incrementImpl(bool IsFirstTime) {
371 while (true) {
372 std::error_code EC = incrementDirIter(IsFirstTime);
373 if (EC || CurrentDirIter == directory_iterator()) {
374 CurrentEntry = Status();
375 return EC;
376 }
377 CurrentEntry = *CurrentDirIter;
378 StringRef Name = llvm::sys::path::filename(CurrentEntry.getName());
David Blaikie61b86d42014-11-19 02:56:13 +0000379 if (SeenNames.insert(Name).second)
Ben Langmuir740812b2014-06-24 19:37:16 +0000380 return EC; // name not seen before
381 }
382 llvm_unreachable("returned above");
383 }
384
385public:
386 OverlayFSDirIterImpl(const Twine &Path, OverlayFileSystem &FS,
387 std::error_code &EC)
388 : Overlays(FS), Path(Path.str()), CurrentFS(Overlays.overlays_begin()) {
389 CurrentDirIter = (*CurrentFS)->dir_begin(Path, EC);
390 EC = incrementImpl(true);
391 }
392
393 std::error_code increment() override { return incrementImpl(false); }
394};
395} // end anonymous namespace
396
397directory_iterator OverlayFileSystem::dir_begin(const Twine &Dir,
398 std::error_code &EC) {
399 return directory_iterator(
400 std::make_shared<OverlayFSDirIterImpl>(Dir, *this, EC));
401}
402
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000403namespace clang {
404namespace vfs {
405namespace detail {
406
407enum InMemoryNodeKind { IME_File, IME_Directory };
408
409/// The in memory file system is a tree of Nodes. Every node can either be a
410/// file or a directory.
411class InMemoryNode {
412 Status Stat;
413 InMemoryNodeKind Kind;
414
415public:
416 InMemoryNode(Status Stat, InMemoryNodeKind Kind)
417 : Stat(std::move(Stat)), Kind(Kind) {}
Angel Garcia Gomez637d1e62015-10-20 13:23:58 +0000418 virtual ~InMemoryNode() {}
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000419 const Status &getStatus() const { return Stat; }
420 InMemoryNodeKind getKind() const { return Kind; }
421 virtual std::string toString(unsigned Indent) const = 0;
422};
423
424namespace {
425class InMemoryFile : public InMemoryNode {
426 std::unique_ptr<llvm::MemoryBuffer> Buffer;
427
428public:
429 InMemoryFile(Status Stat, std::unique_ptr<llvm::MemoryBuffer> Buffer)
430 : InMemoryNode(std::move(Stat), IME_File), Buffer(std::move(Buffer)) {}
431
432 llvm::MemoryBuffer *getBuffer() { return Buffer.get(); }
433 std::string toString(unsigned Indent) const override {
434 return (std::string(Indent, ' ') + getStatus().getName() + "\n").str();
435 }
436 static bool classof(const InMemoryNode *N) {
437 return N->getKind() == IME_File;
438 }
439};
440
441/// Adapt a InMemoryFile for VFS' File interface.
442class InMemoryFileAdaptor : public File {
443 InMemoryFile &Node;
444
445public:
446 explicit InMemoryFileAdaptor(InMemoryFile &Node) : Node(Node) {}
447
448 llvm::ErrorOr<Status> status() override { return Node.getStatus(); }
449 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>>
Benjamin Kramer737501c2015-10-05 21:20:19 +0000450 getBuffer(const Twine &Name, int64_t FileSize, bool RequiresNullTerminator,
451 bool IsVolatile) override {
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000452 llvm::MemoryBuffer *Buf = Node.getBuffer();
453 return llvm::MemoryBuffer::getMemBuffer(
454 Buf->getBuffer(), Buf->getBufferIdentifier(), RequiresNullTerminator);
455 }
456 std::error_code close() override { return std::error_code(); }
457};
458} // end anonymous namespace
459
460class InMemoryDirectory : public InMemoryNode {
461 std::map<std::string, std::unique_ptr<InMemoryNode>> Entries;
462
463public:
464 InMemoryDirectory(Status Stat)
465 : InMemoryNode(std::move(Stat), IME_Directory) {}
466 InMemoryNode *getChild(StringRef Name) {
467 auto I = Entries.find(Name);
468 if (I != Entries.end())
469 return I->second.get();
470 return nullptr;
471 }
472 InMemoryNode *addChild(StringRef Name, std::unique_ptr<InMemoryNode> Child) {
473 return Entries.insert(make_pair(Name, std::move(Child)))
474 .first->second.get();
475 }
476
477 typedef decltype(Entries)::const_iterator const_iterator;
478 const_iterator begin() const { return Entries.begin(); }
479 const_iterator end() const { return Entries.end(); }
480
481 std::string toString(unsigned Indent) const override {
482 std::string Result =
483 (std::string(Indent, ' ') + getStatus().getName() + "\n").str();
484 for (const auto &Entry : Entries) {
485 Result += Entry.second->toString(Indent + 2);
486 }
487 return Result;
488 }
489 static bool classof(const InMemoryNode *N) {
490 return N->getKind() == IME_Directory;
491 }
492};
493}
494
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000495InMemoryFileSystem::InMemoryFileSystem(bool UseNormalizedPaths)
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000496 : Root(new detail::InMemoryDirectory(
Pavel Labathac71c8e2016-11-09 10:52:22 +0000497 Status("", getNextVirtualUniqueID(), llvm::sys::TimePoint<>(), 0, 0,
498 0, llvm::sys::fs::file_type::directory_file,
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000499 llvm::sys::fs::perms::all_all))),
500 UseNormalizedPaths(UseNormalizedPaths) {}
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000501
Angel Garcia Gomez637d1e62015-10-20 13:23:58 +0000502InMemoryFileSystem::~InMemoryFileSystem() {}
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000503
Benjamin Kramerdecb2ae2015-10-09 13:03:22 +0000504std::string InMemoryFileSystem::toString() const {
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000505 return Root->toString(/*Indent=*/0);
506}
507
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000508bool InMemoryFileSystem::addFile(const Twine &P, time_t ModificationTime,
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000509 std::unique_ptr<llvm::MemoryBuffer> Buffer) {
510 SmallString<128> Path;
511 P.toVector(Path);
512
513 // Fix up relative paths. This just prepends the current working directory.
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000514 std::error_code EC = makeAbsolute(Path);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000515 assert(!EC);
516 (void)EC;
517
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000518 if (useNormalizedPaths())
Mike Aizatskyaeb9dd92015-11-09 19:12:18 +0000519 llvm::sys::path::remove_dots(Path, /*remove_dot_dot=*/true);
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000520
521 if (Path.empty())
522 return false;
523
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000524 detail::InMemoryDirectory *Dir = Root.get();
525 auto I = llvm::sys::path::begin(Path), E = llvm::sys::path::end(Path);
526 while (true) {
527 StringRef Name = *I;
528 detail::InMemoryNode *Node = Dir->getChild(Name);
529 ++I;
530 if (!Node) {
531 if (I == E) {
532 // End of the path, create a new file.
533 // FIXME: expose the status details in the interface.
Benjamin Kramer1b8dbe32015-10-06 14:45:16 +0000534 Status Stat(P.str(), getNextVirtualUniqueID(),
Pavel Labathac71c8e2016-11-09 10:52:22 +0000535 llvm::sys::toTimePoint(ModificationTime), 0, 0,
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000536 Buffer->getBufferSize(),
537 llvm::sys::fs::file_type::regular_file,
538 llvm::sys::fs::all_all);
539 Dir->addChild(Name, llvm::make_unique<detail::InMemoryFile>(
540 std::move(Stat), std::move(Buffer)));
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000541 return true;
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000542 }
543
544 // Create a new directory. Use the path up to here.
545 // FIXME: expose the status details in the interface.
546 Status Stat(
547 StringRef(Path.str().begin(), Name.end() - Path.str().begin()),
Pavel Labathac71c8e2016-11-09 10:52:22 +0000548 getNextVirtualUniqueID(), llvm::sys::toTimePoint(ModificationTime), 0,
549 0, Buffer->getBufferSize(), llvm::sys::fs::file_type::directory_file,
550 llvm::sys::fs::all_all);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000551 Dir = cast<detail::InMemoryDirectory>(Dir->addChild(
552 Name, llvm::make_unique<detail::InMemoryDirectory>(std::move(Stat))));
553 continue;
554 }
555
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000556 if (auto *NewDir = dyn_cast<detail::InMemoryDirectory>(Node)) {
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000557 Dir = NewDir;
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000558 } else {
559 assert(isa<detail::InMemoryFile>(Node) &&
560 "Must be either file or directory!");
561
562 // Trying to insert a directory in place of a file.
563 if (I != E)
564 return false;
565
566 // Return false only if the new file is different from the existing one.
567 return cast<detail::InMemoryFile>(Node)->getBuffer()->getBuffer() ==
568 Buffer->getBuffer();
569 }
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000570 }
571}
572
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000573bool InMemoryFileSystem::addFileNoOwn(const Twine &P, time_t ModificationTime,
Benjamin Kramer2e2351a2015-10-06 10:04:08 +0000574 llvm::MemoryBuffer *Buffer) {
575 return addFile(P, ModificationTime,
576 llvm::MemoryBuffer::getMemBuffer(
577 Buffer->getBuffer(), Buffer->getBufferIdentifier()));
578}
579
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000580static ErrorOr<detail::InMemoryNode *>
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000581lookupInMemoryNode(const InMemoryFileSystem &FS, detail::InMemoryDirectory *Dir,
582 const Twine &P) {
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000583 SmallString<128> Path;
584 P.toVector(Path);
585
586 // Fix up relative paths. This just prepends the current working directory.
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000587 std::error_code EC = FS.makeAbsolute(Path);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000588 assert(!EC);
589 (void)EC;
590
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000591 if (FS.useNormalizedPaths())
Mike Aizatskyaeb9dd92015-11-09 19:12:18 +0000592 llvm::sys::path::remove_dots(Path, /*remove_dot_dot=*/true);
Benjamin Kramer4ad1c432015-10-12 13:30:38 +0000593
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000594 if (Path.empty())
Benjamin Kramerdecb2ae2015-10-09 13:03:22 +0000595 return Dir;
596
Benjamin Kramer71ce3762015-10-12 16:16:39 +0000597 auto I = llvm::sys::path::begin(Path), E = llvm::sys::path::end(Path);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000598 while (true) {
599 detail::InMemoryNode *Node = Dir->getChild(*I);
600 ++I;
601 if (!Node)
602 return errc::no_such_file_or_directory;
603
604 // Return the file if it's at the end of the path.
605 if (auto File = dyn_cast<detail::InMemoryFile>(Node)) {
606 if (I == E)
607 return File;
608 return errc::no_such_file_or_directory;
609 }
610
611 // Traverse directories.
612 Dir = cast<detail::InMemoryDirectory>(Node);
613 if (I == E)
614 return Dir;
615 }
616}
617
618llvm::ErrorOr<Status> InMemoryFileSystem::status(const Twine &Path) {
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000619 auto Node = lookupInMemoryNode(*this, Root.get(), Path);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000620 if (Node)
621 return (*Node)->getStatus();
622 return Node.getError();
623}
624
625llvm::ErrorOr<std::unique_ptr<File>>
626InMemoryFileSystem::openFileForRead(const Twine &Path) {
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000627 auto Node = lookupInMemoryNode(*this, Root.get(), Path);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000628 if (!Node)
629 return Node.getError();
630
631 // When we have a file provide a heap-allocated wrapper for the memory buffer
632 // to match the ownership semantics for File.
633 if (auto *F = dyn_cast<detail::InMemoryFile>(*Node))
634 return std::unique_ptr<File>(new detail::InMemoryFileAdaptor(*F));
635
636 // FIXME: errc::not_a_file?
637 return make_error_code(llvm::errc::invalid_argument);
638}
639
640namespace {
641/// Adaptor from InMemoryDir::iterator to directory_iterator.
642class InMemoryDirIterator : public clang::vfs::detail::DirIterImpl {
643 detail::InMemoryDirectory::const_iterator I;
644 detail::InMemoryDirectory::const_iterator E;
645
646public:
647 InMemoryDirIterator() {}
648 explicit InMemoryDirIterator(detail::InMemoryDirectory &Dir)
649 : I(Dir.begin()), E(Dir.end()) {
650 if (I != E)
651 CurrentEntry = I->second->getStatus();
652 }
653
654 std::error_code increment() override {
655 ++I;
656 // When we're at the end, make CurrentEntry invalid and DirIterImpl will do
657 // the rest.
658 CurrentEntry = I != E ? I->second->getStatus() : Status();
659 return std::error_code();
660 }
661};
662} // end anonymous namespace
663
664directory_iterator InMemoryFileSystem::dir_begin(const Twine &Dir,
665 std::error_code &EC) {
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000666 auto Node = lookupInMemoryNode(*this, Root.get(), Dir);
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000667 if (!Node) {
668 EC = Node.getError();
669 return directory_iterator(std::make_shared<InMemoryDirIterator>());
670 }
671
672 if (auto *DirNode = dyn_cast<detail::InMemoryDirectory>(*Node))
673 return directory_iterator(std::make_shared<InMemoryDirIterator>(*DirNode));
674
675 EC = make_error_code(llvm::errc::not_a_directory);
676 return directory_iterator(std::make_shared<InMemoryDirIterator>());
677}
Benjamin Kramere9e76072016-01-09 16:33:16 +0000678
679std::error_code InMemoryFileSystem::setCurrentWorkingDirectory(const Twine &P) {
680 SmallString<128> Path;
681 P.toVector(Path);
682
683 // Fix up relative paths. This just prepends the current working directory.
684 std::error_code EC = makeAbsolute(Path);
685 assert(!EC);
686 (void)EC;
687
688 if (useNormalizedPaths())
689 llvm::sys::path::remove_dots(Path, /*remove_dot_dot=*/true);
690
691 if (!Path.empty())
692 WorkingDirectory = Path.str();
693 return std::error_code();
694}
Benjamin Kramera25dcfd2015-10-05 13:55:14 +0000695}
696}
697
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000698//===-----------------------------------------------------------------------===/
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000699// RedirectingFileSystem implementation
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000700//===-----------------------------------------------------------------------===/
701
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000702namespace {
703
704enum EntryKind {
705 EK_Directory,
706 EK_File
707};
708
709/// \brief A single file or directory in the VFS.
710class Entry {
711 EntryKind Kind;
712 std::string Name;
713
714public:
715 virtual ~Entry();
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000716 Entry(EntryKind K, StringRef Name) : Kind(K), Name(Name) {}
717 StringRef getName() const { return Name; }
718 EntryKind getKind() const { return Kind; }
719};
720
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000721class RedirectingDirectoryEntry : public Entry {
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000722 std::vector<std::unique_ptr<Entry>> Contents;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000723 Status S;
724
725public:
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000726 RedirectingDirectoryEntry(StringRef Name,
727 std::vector<std::unique_ptr<Entry>> Contents,
728 Status S)
Ben Langmuir47ff9ab2014-02-25 04:34:14 +0000729 : Entry(EK_Directory, Name), Contents(std::move(Contents)),
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000730 S(std::move(S)) {}
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +0000731 RedirectingDirectoryEntry(StringRef Name, Status S)
732 : Entry(EK_Directory, Name), S(std::move(S)) {}
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000733 Status getStatus() { return S; }
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +0000734 void addContent(std::unique_ptr<Entry> Content) {
735 Contents.push_back(std::move(Content));
736 }
737 Entry *getLastContent() const { return Contents.back().get(); }
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000738 typedef decltype(Contents)::iterator iterator;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000739 iterator contents_begin() { return Contents.begin(); }
740 iterator contents_end() { return Contents.end(); }
741 static bool classof(const Entry *E) { return E->getKind() == EK_Directory; }
742};
743
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000744class RedirectingFileEntry : public Entry {
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000745public:
Ben Langmuirb59cf672014-02-27 00:25:12 +0000746 enum NameKind {
747 NK_NotSet,
748 NK_External,
749 NK_Virtual
750 };
751private:
752 std::string ExternalContentsPath;
753 NameKind UseName;
754public:
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000755 RedirectingFileEntry(StringRef Name, StringRef ExternalContentsPath,
756 NameKind UseName)
Ben Langmuirb59cf672014-02-27 00:25:12 +0000757 : Entry(EK_File, Name), ExternalContentsPath(ExternalContentsPath),
758 UseName(UseName) {}
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000759 StringRef getExternalContentsPath() const { return ExternalContentsPath; }
Ben Langmuirb59cf672014-02-27 00:25:12 +0000760 /// \brief whether to use the external path as the name for this file.
Ben Langmuird066d4c2014-02-28 21:16:07 +0000761 bool useExternalName(bool GlobalUseExternalName) const {
762 return UseName == NK_NotSet ? GlobalUseExternalName
763 : (UseName == NK_External);
764 }
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +0000765 NameKind getUseName() const { return UseName; }
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000766 static bool classof(const Entry *E) { return E->getKind() == EK_File; }
767};
768
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000769class RedirectingFileSystem;
Ben Langmuir740812b2014-06-24 19:37:16 +0000770
771class VFSFromYamlDirIterImpl : public clang::vfs::detail::DirIterImpl {
772 std::string Dir;
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000773 RedirectingFileSystem &FS;
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000774 RedirectingDirectoryEntry::iterator Current, End;
775
Ben Langmuir740812b2014-06-24 19:37:16 +0000776public:
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000777 VFSFromYamlDirIterImpl(const Twine &Path, RedirectingFileSystem &FS,
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000778 RedirectingDirectoryEntry::iterator Begin,
779 RedirectingDirectoryEntry::iterator End,
780 std::error_code &EC);
Ben Langmuir740812b2014-06-24 19:37:16 +0000781 std::error_code increment() override;
782};
783
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000784/// \brief A virtual file system parsed from a YAML file.
785///
786/// Currently, this class allows creating virtual directories and mapping
787/// virtual file paths to existing external files, available in \c ExternalFS.
788///
789/// The basic structure of the parsed file is:
790/// \verbatim
791/// {
792/// 'version': <version number>,
793/// <optional configuration>
794/// 'roots': [
795/// <directory entries>
796/// ]
797/// }
798/// \endverbatim
799///
800/// All configuration options are optional.
801/// 'case-sensitive': <boolean, default=true>
Ben Langmuirb59cf672014-02-27 00:25:12 +0000802/// 'use-external-names': <boolean, default=true>
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +0000803/// 'overlay-relative': <boolean, default=false>
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +0000804/// 'ignore-non-existent-contents': <boolean, default=true>
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000805///
806/// Virtual directories are represented as
807/// \verbatim
808/// {
809/// 'type': 'directory',
810/// 'name': <string>,
811/// 'contents': [ <file or directory entries> ]
812/// }
813/// \endverbatim
814///
815/// The default attributes for virtual directories are:
816/// \verbatim
817/// MTime = now() when created
818/// Perms = 0777
819/// User = Group = 0
820/// Size = 0
821/// UniqueID = unspecified unique value
822/// \endverbatim
823///
824/// Re-mapped files are represented as
825/// \verbatim
826/// {
827/// 'type': 'file',
828/// 'name': <string>,
Ben Langmuirb59cf672014-02-27 00:25:12 +0000829/// 'use-external-name': <boolean> # Optional
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000830/// 'external-contents': <path to external file>)
831/// }
832/// \endverbatim
833///
834/// and inherit their attributes from the external contents.
835///
Ben Langmuir47ff9ab2014-02-25 04:34:14 +0000836/// In both cases, the 'name' field may contain multiple path components (e.g.
837/// /path/to/file). However, any directory that contains more than one child
838/// must be uniquely represented by a directory entry.
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000839class RedirectingFileSystem : public vfs::FileSystem {
840 /// The root(s) of the virtual file system.
841 std::vector<std::unique_ptr<Entry>> Roots;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000842 /// \brief The file system to use for external references.
843 IntrusiveRefCntPtr<FileSystem> ExternalFS;
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +0000844 /// If IsRelativeOverlay is set, this represents the directory
845 /// path that should be prefixed to each 'external-contents' entry
846 /// when reading from YAML files.
847 std::string ExternalContentsPrefixDir;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000848
849 /// @name Configuration
850 /// @{
851
852 /// \brief Whether to perform case-sensitive comparisons.
853 ///
854 /// Currently, case-insensitive matching only works correctly with ASCII.
Bruno Cardoso Lopesf6f1def2016-04-13 19:28:16 +0000855 bool CaseSensitive = true;
Ben Langmuirb59cf672014-02-27 00:25:12 +0000856
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +0000857 /// IsRelativeOverlay marks whether a IsExternalContentsPrefixDir path must
858 /// be prefixed in every 'external-contents' when reading from YAML files.
859 bool IsRelativeOverlay = false;
860
Ben Langmuirb59cf672014-02-27 00:25:12 +0000861 /// \brief Whether to use to use the value of 'external-contents' for the
862 /// names of files. This global value is overridable on a per-file basis.
Bruno Cardoso Lopesf6f1def2016-04-13 19:28:16 +0000863 bool UseExternalNames = true;
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +0000864
865 /// \brief Whether an invalid path obtained via 'external-contents' should
866 /// cause iteration on the VFS to stop. If 'true', the VFS should ignore
867 /// the entry and continue with the next. Allows YAML files to be shared
868 /// across multiple compiler invocations regardless of prior existent
869 /// paths in 'external-contents'. This global value is overridable on a
870 /// per-file basis.
871 bool IgnoreNonExistentContents = true;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000872 /// @}
873
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +0000874 /// Virtual file paths and external files could be canonicalized without "..",
875 /// "." and "./" in their paths. FIXME: some unittests currently fail on
876 /// win32 when using remove_dots and remove_leading_dotslash on paths.
877 bool UseCanonicalizedPaths =
878#ifdef LLVM_ON_WIN32
879 false;
880#else
881 true;
882#endif
883
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000884 friend class RedirectingFileSystemParser;
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000885
886private:
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000887 RedirectingFileSystem(IntrusiveRefCntPtr<FileSystem> ExternalFS)
Benjamin Kramercfeacf52016-05-27 14:27:13 +0000888 : ExternalFS(std::move(ExternalFS)) {}
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000889
890 /// \brief Looks up \p Path in \c Roots.
891 ErrorOr<Entry *> lookupPath(const Twine &Path);
892
893 /// \brief Looks up the path <tt>[Start, End)</tt> in \p From, possibly
894 /// recursing into the contents of \p From if it is a directory.
895 ErrorOr<Entry *> lookupPath(sys::path::const_iterator Start,
896 sys::path::const_iterator End, Entry *From);
897
Ben Langmuir740812b2014-06-24 19:37:16 +0000898 /// \brief Get the status of a given an \c Entry.
899 ErrorOr<Status> status(const Twine &Path, Entry *E);
900
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000901public:
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000902 /// \brief Parses \p Buffer, which is expected to be in YAML format and
903 /// returns a virtual file system representing its contents.
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000904 static RedirectingFileSystem *
905 create(std::unique_ptr<MemoryBuffer> Buffer,
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +0000906 SourceMgr::DiagHandlerTy DiagHandler, StringRef YAMLFilePath,
907 void *DiagContext, IntrusiveRefCntPtr<FileSystem> ExternalFS);
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000908
Craig Toppera798a9d2014-03-02 09:32:10 +0000909 ErrorOr<Status> status(const Twine &Path) override;
Benjamin Kramera8857962014-10-26 22:44:13 +0000910 ErrorOr<std::unique_ptr<File>> openFileForRead(const Twine &Path) override;
Ben Langmuir740812b2014-06-24 19:37:16 +0000911
Benjamin Kramer7708b2a2015-10-05 13:55:20 +0000912 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override {
913 return ExternalFS->getCurrentWorkingDirectory();
914 }
915 std::error_code setCurrentWorkingDirectory(const Twine &Path) override {
916 return ExternalFS->setCurrentWorkingDirectory(Path);
917 }
918
Ben Langmuir740812b2014-06-24 19:37:16 +0000919 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override{
920 ErrorOr<Entry *> E = lookupPath(Dir);
921 if (!E) {
922 EC = E.getError();
923 return directory_iterator();
924 }
925 ErrorOr<Status> S = status(Dir, *E);
926 if (!S) {
927 EC = S.getError();
928 return directory_iterator();
929 }
930 if (!S->isDirectory()) {
931 EC = std::error_code(static_cast<int>(errc::not_a_directory),
932 std::system_category());
933 return directory_iterator();
934 }
935
Benjamin Kramer49692ed2015-10-09 13:28:13 +0000936 auto *D = cast<RedirectingDirectoryEntry>(*E);
Ben Langmuir740812b2014-06-24 19:37:16 +0000937 return directory_iterator(std::make_shared<VFSFromYamlDirIterImpl>(Dir,
938 *this, D->contents_begin(), D->contents_end(), EC));
939 }
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +0000940
941 void setExternalContentsPrefixDir(StringRef PrefixDir) {
942 ExternalContentsPrefixDir = PrefixDir.str();
943 }
944
945 StringRef getExternalContentsPrefixDir() const {
946 return ExternalContentsPrefixDir;
947 }
948
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +0000949 bool ignoreNonExistentContents() const {
950 return IgnoreNonExistentContents;
951 }
952
Bruno Cardoso Lopesb2e2e212016-05-06 23:21:57 +0000953#if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
954LLVM_DUMP_METHOD void dump() const {
955 for (const std::unique_ptr<Entry> &Root : Roots)
956 dumpEntry(Root.get());
957 }
958
959LLVM_DUMP_METHOD void dumpEntry(Entry *E, int NumSpaces = 0) const {
960 StringRef Name = E->getName();
961 for (int i = 0, e = NumSpaces; i < e; ++i)
962 dbgs() << " ";
963 dbgs() << "'" << Name.str().c_str() << "'" << "\n";
964
965 if (E->getKind() == EK_Directory) {
966 auto *DE = dyn_cast<RedirectingDirectoryEntry>(E);
967 assert(DE && "Should be a directory");
968
969 for (std::unique_ptr<Entry> &SubEntry :
970 llvm::make_range(DE->contents_begin(), DE->contents_end()))
971 dumpEntry(SubEntry.get(), NumSpaces+2);
972 }
973 }
974#endif
975
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000976};
977
978/// \brief A helper class to hold the common YAML parsing state.
Benjamin Kramerdadb58b2015-10-07 10:05:44 +0000979class RedirectingFileSystemParser {
Ben Langmuird51ba0b2014-02-21 23:39:37 +0000980 yaml::Stream &Stream;
981
982 void error(yaml::Node *N, const Twine &Msg) {
983 Stream.printError(N, Msg);
984 }
985
986 // false on error
987 bool parseScalarString(yaml::Node *N, StringRef &Result,
988 SmallVectorImpl<char> &Storage) {
989 yaml::ScalarNode *S = dyn_cast<yaml::ScalarNode>(N);
990 if (!S) {
991 error(N, "expected string");
992 return false;
993 }
994 Result = S->getValue(Storage);
995 return true;
996 }
997
998 // false on error
999 bool parseScalarBool(yaml::Node *N, bool &Result) {
1000 SmallString<5> Storage;
1001 StringRef Value;
1002 if (!parseScalarString(N, Value, Storage))
1003 return false;
1004
1005 if (Value.equals_lower("true") || Value.equals_lower("on") ||
1006 Value.equals_lower("yes") || Value == "1") {
1007 Result = true;
1008 return true;
1009 } else if (Value.equals_lower("false") || Value.equals_lower("off") ||
1010 Value.equals_lower("no") || Value == "0") {
1011 Result = false;
1012 return true;
1013 }
1014
1015 error(N, "expected boolean value");
1016 return false;
1017 }
1018
1019 struct KeyStatus {
1020 KeyStatus(bool Required=false) : Required(Required), Seen(false) {}
1021 bool Required;
1022 bool Seen;
1023 };
1024 typedef std::pair<StringRef, KeyStatus> KeyStatusPair;
1025
1026 // false on error
1027 bool checkDuplicateOrUnknownKey(yaml::Node *KeyNode, StringRef Key,
1028 DenseMap<StringRef, KeyStatus> &Keys) {
1029 if (!Keys.count(Key)) {
1030 error(KeyNode, "unknown key");
1031 return false;
1032 }
1033 KeyStatus &S = Keys[Key];
1034 if (S.Seen) {
1035 error(KeyNode, Twine("duplicate key '") + Key + "'");
1036 return false;
1037 }
1038 S.Seen = true;
1039 return true;
1040 }
1041
1042 // false on error
1043 bool checkMissingKeys(yaml::Node *Obj, DenseMap<StringRef, KeyStatus> &Keys) {
1044 for (DenseMap<StringRef, KeyStatus>::iterator I = Keys.begin(),
1045 E = Keys.end();
1046 I != E; ++I) {
1047 if (I->second.Required && !I->second.Seen) {
1048 error(Obj, Twine("missing key '") + I->first + "'");
1049 return false;
1050 }
1051 }
1052 return true;
1053 }
1054
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +00001055 Entry *lookupOrCreateEntry(RedirectingFileSystem *FS, StringRef Name,
1056 Entry *ParentEntry = nullptr) {
1057 if (!ParentEntry) { // Look for a existent root
1058 for (const std::unique_ptr<Entry> &Root : FS->Roots) {
1059 if (Name.equals(Root->getName())) {
1060 ParentEntry = Root.get();
1061 return ParentEntry;
1062 }
1063 }
1064 } else { // Advance to the next component
1065 auto *DE = dyn_cast<RedirectingDirectoryEntry>(ParentEntry);
1066 for (std::unique_ptr<Entry> &Content :
1067 llvm::make_range(DE->contents_begin(), DE->contents_end())) {
1068 auto *DirContent = dyn_cast<RedirectingDirectoryEntry>(Content.get());
1069 if (DirContent && Name.equals(Content->getName()))
1070 return DirContent;
1071 }
1072 }
1073
1074 // ... or create a new one
1075 std::unique_ptr<Entry> E = llvm::make_unique<RedirectingDirectoryEntry>(
Pavel Labathac71c8e2016-11-09 10:52:22 +00001076 Name,
1077 Status("", getNextVirtualUniqueID(), std::chrono::system_clock::now(),
1078 0, 0, 0, file_type::directory_file, sys::fs::all_all));
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +00001079
1080 if (!ParentEntry) { // Add a new root to the overlay
1081 FS->Roots.push_back(std::move(E));
1082 ParentEntry = FS->Roots.back().get();
1083 return ParentEntry;
1084 }
1085
1086 auto *DE = dyn_cast<RedirectingDirectoryEntry>(ParentEntry);
1087 DE->addContent(std::move(E));
1088 return DE->getLastContent();
1089 }
1090
1091 void uniqueOverlayTree(RedirectingFileSystem *FS, Entry *SrcE,
1092 Entry *NewParentE = nullptr) {
1093 StringRef Name = SrcE->getName();
1094 switch (SrcE->getKind()) {
1095 case EK_Directory: {
1096 auto *DE = dyn_cast<RedirectingDirectoryEntry>(SrcE);
1097 assert(DE && "Must be a directory");
1098 // Empty directories could be present in the YAML as a way to
1099 // describe a file for a current directory after some of its subdir
1100 // is parsed. This only leads to redundant walks, ignore it.
1101 if (!Name.empty())
1102 NewParentE = lookupOrCreateEntry(FS, Name, NewParentE);
1103 for (std::unique_ptr<Entry> &SubEntry :
1104 llvm::make_range(DE->contents_begin(), DE->contents_end()))
1105 uniqueOverlayTree(FS, SubEntry.get(), NewParentE);
1106 break;
1107 }
1108 case EK_File: {
1109 auto *FE = dyn_cast<RedirectingFileEntry>(SrcE);
1110 assert(FE && "Must be a file");
1111 assert(NewParentE && "Parent entry must exist");
1112 auto *DE = dyn_cast<RedirectingDirectoryEntry>(NewParentE);
1113 DE->addContent(llvm::make_unique<RedirectingFileEntry>(
1114 Name, FE->getExternalContentsPath(), FE->getUseName()));
1115 break;
1116 }
1117 }
1118 }
1119
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001120 std::unique_ptr<Entry> parseEntry(yaml::Node *N, RedirectingFileSystem *FS) {
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001121 yaml::MappingNode *M = dyn_cast<yaml::MappingNode>(N);
1122 if (!M) {
1123 error(N, "expected mapping node for file or directory entry");
Craig Topperf1186c52014-05-08 06:41:40 +00001124 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001125 }
1126
1127 KeyStatusPair Fields[] = {
1128 KeyStatusPair("name", true),
1129 KeyStatusPair("type", true),
1130 KeyStatusPair("contents", false),
Ben Langmuirb59cf672014-02-27 00:25:12 +00001131 KeyStatusPair("external-contents", false),
1132 KeyStatusPair("use-external-name", false),
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001133 };
1134
Craig Topperac67c052015-11-30 03:11:10 +00001135 DenseMap<StringRef, KeyStatus> Keys(std::begin(Fields), std::end(Fields));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001136
1137 bool HasContents = false; // external or otherwise
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001138 std::vector<std::unique_ptr<Entry>> EntryArrayContents;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001139 std::string ExternalContentsPath;
1140 std::string Name;
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001141 auto UseExternalName = RedirectingFileEntry::NK_NotSet;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001142 EntryKind Kind;
1143
1144 for (yaml::MappingNode::iterator I = M->begin(), E = M->end(); I != E;
1145 ++I) {
1146 StringRef Key;
1147 // Reuse the buffer for key and value, since we don't look at key after
1148 // parsing value.
1149 SmallString<256> Buffer;
1150 if (!parseScalarString(I->getKey(), Key, Buffer))
Craig Topperf1186c52014-05-08 06:41:40 +00001151 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001152
1153 if (!checkDuplicateOrUnknownKey(I->getKey(), Key, Keys))
Craig Topperf1186c52014-05-08 06:41:40 +00001154 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001155
1156 StringRef Value;
1157 if (Key == "name") {
1158 if (!parseScalarString(I->getValue(), Value, Buffer))
Craig Topperf1186c52014-05-08 06:41:40 +00001159 return nullptr;
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001160
1161 if (FS->UseCanonicalizedPaths) {
1162 SmallString<256> Path(Value);
1163 // Guarantee that old YAML files containing paths with ".." and "."
1164 // are properly canonicalized before read into the VFS.
1165 Path = sys::path::remove_leading_dotslash(Path);
1166 sys::path::remove_dots(Path, /*remove_dot_dot=*/true);
1167 Name = Path.str();
1168 } else {
1169 Name = Value;
1170 }
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001171 } else if (Key == "type") {
1172 if (!parseScalarString(I->getValue(), Value, Buffer))
Craig Topperf1186c52014-05-08 06:41:40 +00001173 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001174 if (Value == "file")
1175 Kind = EK_File;
1176 else if (Value == "directory")
1177 Kind = EK_Directory;
1178 else {
1179 error(I->getValue(), "unknown value for 'type'");
Craig Topperf1186c52014-05-08 06:41:40 +00001180 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001181 }
1182 } else if (Key == "contents") {
1183 if (HasContents) {
1184 error(I->getKey(),
1185 "entry already has 'contents' or 'external-contents'");
Craig Topperf1186c52014-05-08 06:41:40 +00001186 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001187 }
1188 HasContents = true;
1189 yaml::SequenceNode *Contents =
1190 dyn_cast<yaml::SequenceNode>(I->getValue());
1191 if (!Contents) {
1192 // FIXME: this is only for directories, what about files?
1193 error(I->getValue(), "expected array");
Craig Topperf1186c52014-05-08 06:41:40 +00001194 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001195 }
1196
1197 for (yaml::SequenceNode::iterator I = Contents->begin(),
1198 E = Contents->end();
1199 I != E; ++I) {
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001200 if (std::unique_ptr<Entry> E = parseEntry(&*I, FS))
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001201 EntryArrayContents.push_back(std::move(E));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001202 else
Craig Topperf1186c52014-05-08 06:41:40 +00001203 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001204 }
1205 } else if (Key == "external-contents") {
1206 if (HasContents) {
1207 error(I->getKey(),
1208 "entry already has 'contents' or 'external-contents'");
Craig Topperf1186c52014-05-08 06:41:40 +00001209 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001210 }
1211 HasContents = true;
1212 if (!parseScalarString(I->getValue(), Value, Buffer))
Craig Topperf1186c52014-05-08 06:41:40 +00001213 return nullptr;
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001214
1215 SmallString<256> FullPath;
1216 if (FS->IsRelativeOverlay) {
1217 FullPath = FS->getExternalContentsPrefixDir();
1218 assert(!FullPath.empty() &&
1219 "External contents prefix directory must exist");
1220 llvm::sys::path::append(FullPath, Value);
1221 } else {
1222 FullPath = Value;
1223 }
1224
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001225 if (FS->UseCanonicalizedPaths) {
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001226 // Guarantee that old YAML files containing paths with ".." and "."
1227 // are properly canonicalized before read into the VFS.
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001228 FullPath = sys::path::remove_leading_dotslash(FullPath);
1229 sys::path::remove_dots(FullPath, /*remove_dot_dot=*/true);
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001230 }
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001231 ExternalContentsPath = FullPath.str();
Ben Langmuirb59cf672014-02-27 00:25:12 +00001232 } else if (Key == "use-external-name") {
1233 bool Val;
1234 if (!parseScalarBool(I->getValue(), Val))
Craig Topperf1186c52014-05-08 06:41:40 +00001235 return nullptr;
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001236 UseExternalName = Val ? RedirectingFileEntry::NK_External
1237 : RedirectingFileEntry::NK_Virtual;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001238 } else {
1239 llvm_unreachable("key missing from Keys");
1240 }
1241 }
1242
1243 if (Stream.failed())
Craig Topperf1186c52014-05-08 06:41:40 +00001244 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001245
1246 // check for missing keys
1247 if (!HasContents) {
1248 error(N, "missing key 'contents' or 'external-contents'");
Craig Topperf1186c52014-05-08 06:41:40 +00001249 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001250 }
1251 if (!checkMissingKeys(N, Keys))
Craig Topperf1186c52014-05-08 06:41:40 +00001252 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001253
Ben Langmuirb59cf672014-02-27 00:25:12 +00001254 // check invalid configuration
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001255 if (Kind == EK_Directory &&
1256 UseExternalName != RedirectingFileEntry::NK_NotSet) {
Ben Langmuirb59cf672014-02-27 00:25:12 +00001257 error(N, "'use-external-name' is not supported for directories");
Craig Topperf1186c52014-05-08 06:41:40 +00001258 return nullptr;
Ben Langmuirb59cf672014-02-27 00:25:12 +00001259 }
1260
Ben Langmuir93853232014-03-05 21:32:20 +00001261 // Remove trailing slash(es), being careful not to remove the root path
Ben Langmuir47ff9ab2014-02-25 04:34:14 +00001262 StringRef Trimmed(Name);
Ben Langmuir93853232014-03-05 21:32:20 +00001263 size_t RootPathLen = sys::path::root_path(Trimmed).size();
1264 while (Trimmed.size() > RootPathLen &&
1265 sys::path::is_separator(Trimmed.back()))
Ben Langmuir47ff9ab2014-02-25 04:34:14 +00001266 Trimmed = Trimmed.slice(0, Trimmed.size()-1);
1267 // Get the last component
1268 StringRef LastComponent = sys::path::filename(Trimmed);
1269
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001270 std::unique_ptr<Entry> Result;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001271 switch (Kind) {
1272 case EK_File:
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001273 Result = llvm::make_unique<RedirectingFileEntry>(
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001274 LastComponent, std::move(ExternalContentsPath), UseExternalName);
Ben Langmuir47ff9ab2014-02-25 04:34:14 +00001275 break;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001276 case EK_Directory:
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001277 Result = llvm::make_unique<RedirectingDirectoryEntry>(
Benjamin Kramer268b51a2015-10-05 13:15:33 +00001278 LastComponent, std::move(EntryArrayContents),
Pavel Labathac71c8e2016-11-09 10:52:22 +00001279 Status("", getNextVirtualUniqueID(), std::chrono::system_clock::now(),
1280 0, 0, 0, file_type::directory_file, sys::fs::all_all));
Ben Langmuir47ff9ab2014-02-25 04:34:14 +00001281 break;
1282 }
1283
1284 StringRef Parent = sys::path::parent_path(Trimmed);
1285 if (Parent.empty())
1286 return Result;
1287
1288 // if 'name' contains multiple components, create implicit directory entries
1289 for (sys::path::reverse_iterator I = sys::path::rbegin(Parent),
1290 E = sys::path::rend(Parent);
1291 I != E; ++I) {
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001292 std::vector<std::unique_ptr<Entry>> Entries;
1293 Entries.push_back(std::move(Result));
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001294 Result = llvm::make_unique<RedirectingDirectoryEntry>(
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001295 *I, std::move(Entries),
Pavel Labathac71c8e2016-11-09 10:52:22 +00001296 Status("", getNextVirtualUniqueID(), std::chrono::system_clock::now(),
1297 0, 0, 0, file_type::directory_file, sys::fs::all_all));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001298 }
Ben Langmuir47ff9ab2014-02-25 04:34:14 +00001299 return Result;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001300 }
1301
1302public:
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001303 RedirectingFileSystemParser(yaml::Stream &S) : Stream(S) {}
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001304
1305 // false on error
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001306 bool parse(yaml::Node *Root, RedirectingFileSystem *FS) {
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001307 yaml::MappingNode *Top = dyn_cast<yaml::MappingNode>(Root);
1308 if (!Top) {
1309 error(Root, "expected mapping node");
1310 return false;
1311 }
1312
1313 KeyStatusPair Fields[] = {
1314 KeyStatusPair("version", true),
1315 KeyStatusPair("case-sensitive", false),
Ben Langmuirb59cf672014-02-27 00:25:12 +00001316 KeyStatusPair("use-external-names", false),
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001317 KeyStatusPair("overlay-relative", false),
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001318 KeyStatusPair("ignore-non-existent-contents", false),
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001319 KeyStatusPair("roots", true),
1320 };
1321
Craig Topperac67c052015-11-30 03:11:10 +00001322 DenseMap<StringRef, KeyStatus> Keys(std::begin(Fields), std::end(Fields));
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +00001323 std::vector<std::unique_ptr<Entry>> RootEntries;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001324
1325 // Parse configuration and 'roots'
1326 for (yaml::MappingNode::iterator I = Top->begin(), E = Top->end(); I != E;
1327 ++I) {
1328 SmallString<10> KeyBuffer;
1329 StringRef Key;
1330 if (!parseScalarString(I->getKey(), Key, KeyBuffer))
1331 return false;
1332
1333 if (!checkDuplicateOrUnknownKey(I->getKey(), Key, Keys))
1334 return false;
1335
1336 if (Key == "roots") {
1337 yaml::SequenceNode *Roots = dyn_cast<yaml::SequenceNode>(I->getValue());
1338 if (!Roots) {
1339 error(I->getValue(), "expected array");
1340 return false;
1341 }
1342
1343 for (yaml::SequenceNode::iterator I = Roots->begin(), E = Roots->end();
1344 I != E; ++I) {
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001345 if (std::unique_ptr<Entry> E = parseEntry(&*I, FS))
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +00001346 RootEntries.push_back(std::move(E));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001347 else
1348 return false;
1349 }
1350 } else if (Key == "version") {
1351 StringRef VersionString;
1352 SmallString<4> Storage;
1353 if (!parseScalarString(I->getValue(), VersionString, Storage))
1354 return false;
1355 int Version;
1356 if (VersionString.getAsInteger<int>(10, Version)) {
1357 error(I->getValue(), "expected integer");
1358 return false;
1359 }
1360 if (Version < 0) {
1361 error(I->getValue(), "invalid version number");
1362 return false;
1363 }
1364 if (Version != 0) {
1365 error(I->getValue(), "version mismatch, expected 0");
1366 return false;
1367 }
1368 } else if (Key == "case-sensitive") {
1369 if (!parseScalarBool(I->getValue(), FS->CaseSensitive))
1370 return false;
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001371 } else if (Key == "overlay-relative") {
1372 if (!parseScalarBool(I->getValue(), FS->IsRelativeOverlay))
1373 return false;
Ben Langmuirb59cf672014-02-27 00:25:12 +00001374 } else if (Key == "use-external-names") {
1375 if (!parseScalarBool(I->getValue(), FS->UseExternalNames))
1376 return false;
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001377 } else if (Key == "ignore-non-existent-contents") {
1378 if (!parseScalarBool(I->getValue(), FS->IgnoreNonExistentContents))
1379 return false;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001380 } else {
1381 llvm_unreachable("key missing from Keys");
1382 }
1383 }
1384
1385 if (Stream.failed())
1386 return false;
1387
1388 if (!checkMissingKeys(Top, Keys))
1389 return false;
Bruno Cardoso Lopesf6a0a722016-05-12 19:13:07 +00001390
1391 // Now that we sucessefully parsed the YAML file, canonicalize the internal
1392 // representation to a proper directory tree so that we can search faster
1393 // inside the VFS.
1394 for (std::unique_ptr<Entry> &E : RootEntries)
1395 uniqueOverlayTree(FS, E.get());
1396
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001397 return true;
1398 }
1399};
1400} // end of anonymous namespace
1401
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001402Entry::~Entry() = default;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001403
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001404RedirectingFileSystem *
1405RedirectingFileSystem::create(std::unique_ptr<MemoryBuffer> Buffer,
1406 SourceMgr::DiagHandlerTy DiagHandler,
1407 StringRef YAMLFilePath, void *DiagContext,
1408 IntrusiveRefCntPtr<FileSystem> ExternalFS) {
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001409
1410 SourceMgr SM;
Rafael Espindola85d78922014-08-27 19:03:27 +00001411 yaml::Stream Stream(Buffer->getMemBufferRef(), SM);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001412
Ben Langmuir97882e72014-02-24 20:56:37 +00001413 SM.setDiagHandler(DiagHandler, DiagContext);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001414 yaml::document_iterator DI = Stream.begin();
1415 yaml::Node *Root = DI->getRoot();
1416 if (DI == Stream.end() || !Root) {
1417 SM.PrintMessage(SMLoc(), SourceMgr::DK_Error, "expected root node");
Craig Topperf1186c52014-05-08 06:41:40 +00001418 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001419 }
1420
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001421 RedirectingFileSystemParser P(Stream);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001422
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001423 std::unique_ptr<RedirectingFileSystem> FS(
Benjamin Kramerd6da1a02016-06-12 20:05:23 +00001424 new RedirectingFileSystem(std::move(ExternalFS)));
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001425
1426 if (!YAMLFilePath.empty()) {
1427 // Use the YAML path from -ivfsoverlay to compute the dir to be prefixed
1428 // to each 'external-contents' path.
1429 //
1430 // Example:
1431 // -ivfsoverlay dummy.cache/vfs/vfs.yaml
1432 // yields:
1433 // FS->ExternalContentsPrefixDir => /<absolute_path_to>/dummy.cache/vfs
1434 //
1435 SmallString<256> OverlayAbsDir = sys::path::parent_path(YAMLFilePath);
1436 std::error_code EC = llvm::sys::fs::make_absolute(OverlayAbsDir);
1437 assert(!EC && "Overlay dir final path must be absolute");
1438 (void)EC;
1439 FS->setExternalContentsPrefixDir(OverlayAbsDir);
1440 }
1441
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001442 if (!P.parse(Root, FS.get()))
Craig Topperf1186c52014-05-08 06:41:40 +00001443 return nullptr;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001444
Ahmed Charles9a16beb2014-03-07 19:33:25 +00001445 return FS.release();
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001446}
1447
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001448ErrorOr<Entry *> RedirectingFileSystem::lookupPath(const Twine &Path_) {
Ben Langmuira6f8ca82014-03-04 22:34:50 +00001449 SmallString<256> Path;
1450 Path_.toVector(Path);
1451
1452 // Handle relative paths
Benjamin Kramer7708b2a2015-10-05 13:55:20 +00001453 if (std::error_code EC = makeAbsolute(Path))
Ben Langmuira6f8ca82014-03-04 22:34:50 +00001454 return EC;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001455
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001456 // Canonicalize path by removing ".", "..", "./", etc components. This is
1457 // a VFS request, do bot bother about symlinks in the path components
1458 // but canonicalize in order to perform the correct entry search.
1459 if (UseCanonicalizedPaths) {
1460 Path = sys::path::remove_leading_dotslash(Path);
1461 sys::path::remove_dots(Path, /*remove_dot_dot=*/true);
1462 }
1463
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001464 if (Path.empty())
Rafael Espindola71de0b62014-06-13 17:20:50 +00001465 return make_error_code(llvm::errc::invalid_argument);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001466
1467 sys::path::const_iterator Start = sys::path::begin(Path);
1468 sys::path::const_iterator End = sys::path::end(Path);
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001469 for (const std::unique_ptr<Entry> &Root : Roots) {
1470 ErrorOr<Entry *> Result = lookupPath(Start, End, Root.get());
Rafael Espindola71de0b62014-06-13 17:20:50 +00001471 if (Result || Result.getError() != llvm::errc::no_such_file_or_directory)
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001472 return Result;
1473 }
Rafael Espindola71de0b62014-06-13 17:20:50 +00001474 return make_error_code(llvm::errc::no_such_file_or_directory);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001475}
1476
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001477ErrorOr<Entry *>
1478RedirectingFileSystem::lookupPath(sys::path::const_iterator Start,
1479 sys::path::const_iterator End, Entry *From) {
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001480#ifndef LLVM_ON_WIN32
1481 assert(!isTraversalComponent(*Start) &&
1482 !isTraversalComponent(From->getName()) &&
1483 "Paths should not contain traversal components");
1484#else
1485 // FIXME: this is here to support windows, remove it once canonicalized
1486 // paths become globally default.
Bruno Cardoso Lopesbe056b12016-02-23 17:06:50 +00001487 if (Start->equals("."))
1488 ++Start;
Bruno Cardoso Lopesb76c0272016-03-17 02:20:43 +00001489#endif
Ben Langmuira6f8ca82014-03-04 22:34:50 +00001490
Bruno Cardoso Lopesd712b342016-03-30 23:54:00 +00001491 StringRef FromName = From->getName();
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001492
Bruno Cardoso Lopesd712b342016-03-30 23:54:00 +00001493 // Forward the search to the next component in case this is an empty one.
1494 if (!FromName.empty()) {
1495 if (CaseSensitive ? !Start->equals(FromName)
1496 : !Start->equals_lower(FromName))
1497 // failure to match
1498 return make_error_code(llvm::errc::no_such_file_or_directory);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001499
Bruno Cardoso Lopesd712b342016-03-30 23:54:00 +00001500 ++Start;
1501
1502 if (Start == End) {
1503 // Match!
1504 return From;
1505 }
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001506 }
1507
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001508 auto *DE = dyn_cast<RedirectingDirectoryEntry>(From);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001509 if (!DE)
Rafael Espindola71de0b62014-06-13 17:20:50 +00001510 return make_error_code(llvm::errc::not_a_directory);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001511
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001512 for (const std::unique_ptr<Entry> &DirEntry :
1513 llvm::make_range(DE->contents_begin(), DE->contents_end())) {
1514 ErrorOr<Entry *> Result = lookupPath(Start, End, DirEntry.get());
Rafael Espindola71de0b62014-06-13 17:20:50 +00001515 if (Result || Result.getError() != llvm::errc::no_such_file_or_directory)
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001516 return Result;
1517 }
Rafael Espindola71de0b62014-06-13 17:20:50 +00001518 return make_error_code(llvm::errc::no_such_file_or_directory);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001519}
1520
Ben Langmuirf13302e2015-12-10 23:41:39 +00001521static Status getRedirectedFileStatus(const Twine &Path, bool UseExternalNames,
1522 Status ExternalStatus) {
1523 Status S = ExternalStatus;
1524 if (!UseExternalNames)
1525 S = Status::copyWithNewName(S, Path.str());
1526 S.IsVFSMapped = true;
1527 return S;
1528}
1529
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001530ErrorOr<Status> RedirectingFileSystem::status(const Twine &Path, Entry *E) {
Ben Langmuir740812b2014-06-24 19:37:16 +00001531 assert(E != nullptr);
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001532 if (auto *F = dyn_cast<RedirectingFileEntry>(E)) {
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001533 ErrorOr<Status> S = ExternalFS->status(F->getExternalContentsPath());
Ben Langmuirb59cf672014-02-27 00:25:12 +00001534 assert(!S || S->getName() == F->getExternalContentsPath());
Ben Langmuir5de00f32014-05-23 18:15:47 +00001535 if (S)
Ben Langmuirf13302e2015-12-10 23:41:39 +00001536 return getRedirectedFileStatus(Path, F->useExternalName(UseExternalNames),
1537 *S);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001538 return S;
1539 } else { // directory
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001540 auto *DE = cast<RedirectingDirectoryEntry>(E);
Ben Langmuirf13302e2015-12-10 23:41:39 +00001541 return Status::copyWithNewName(DE->getStatus(), Path.str());
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001542 }
1543}
1544
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001545ErrorOr<Status> RedirectingFileSystem::status(const Twine &Path) {
Ben Langmuir740812b2014-06-24 19:37:16 +00001546 ErrorOr<Entry *> Result = lookupPath(Path);
1547 if (!Result)
1548 return Result.getError();
1549 return status(Path, *Result);
1550}
1551
Benjamin Kramer5532ef12015-10-05 13:55:09 +00001552namespace {
Ben Langmuirf13302e2015-12-10 23:41:39 +00001553/// Provide a file wrapper with an overriden status.
1554class FileWithFixedStatus : public File {
Benjamin Kramer5532ef12015-10-05 13:55:09 +00001555 std::unique_ptr<File> InnerFile;
Ben Langmuirf13302e2015-12-10 23:41:39 +00001556 Status S;
Benjamin Kramer5532ef12015-10-05 13:55:09 +00001557
1558public:
Ben Langmuirf13302e2015-12-10 23:41:39 +00001559 FileWithFixedStatus(std::unique_ptr<File> InnerFile, Status S)
Benjamin Kramercfeacf52016-05-27 14:27:13 +00001560 : InnerFile(std::move(InnerFile)), S(std::move(S)) {}
Benjamin Kramer5532ef12015-10-05 13:55:09 +00001561
Ben Langmuirf13302e2015-12-10 23:41:39 +00001562 ErrorOr<Status> status() override { return S; }
1563 ErrorOr<std::unique_ptr<llvm::MemoryBuffer>>
Benjamin Kramer737501c2015-10-05 21:20:19 +00001564 getBuffer(const Twine &Name, int64_t FileSize, bool RequiresNullTerminator,
1565 bool IsVolatile) override {
Benjamin Kramer5532ef12015-10-05 13:55:09 +00001566 return InnerFile->getBuffer(Name, FileSize, RequiresNullTerminator,
1567 IsVolatile);
1568 }
1569 std::error_code close() override { return InnerFile->close(); }
1570};
1571} // end anonymous namespace
1572
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001573ErrorOr<std::unique_ptr<File>>
1574RedirectingFileSystem::openFileForRead(const Twine &Path) {
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001575 ErrorOr<Entry *> E = lookupPath(Path);
1576 if (!E)
1577 return E.getError();
1578
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001579 auto *F = dyn_cast<RedirectingFileEntry>(*E);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001580 if (!F) // FIXME: errc::not_a_file?
Rafael Espindola71de0b62014-06-13 17:20:50 +00001581 return make_error_code(llvm::errc::invalid_argument);
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001582
Benjamin Kramera8857962014-10-26 22:44:13 +00001583 auto Result = ExternalFS->openFileForRead(F->getExternalContentsPath());
1584 if (!Result)
1585 return Result;
Ben Langmuird066d4c2014-02-28 21:16:07 +00001586
Ben Langmuirf13302e2015-12-10 23:41:39 +00001587 auto ExternalStatus = (*Result)->status();
1588 if (!ExternalStatus)
1589 return ExternalStatus.getError();
Ben Langmuird066d4c2014-02-28 21:16:07 +00001590
Ben Langmuirf13302e2015-12-10 23:41:39 +00001591 // FIXME: Update the status with the name and VFSMapped.
1592 Status S = getRedirectedFileStatus(Path, F->useExternalName(UseExternalNames),
1593 *ExternalStatus);
1594 return std::unique_ptr<File>(
1595 llvm::make_unique<FileWithFixedStatus>(std::move(*Result), S));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001596}
1597
1598IntrusiveRefCntPtr<FileSystem>
Rafael Espindola04ab21d72014-08-17 22:12:58 +00001599vfs::getVFSFromYAML(std::unique_ptr<MemoryBuffer> Buffer,
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001600 SourceMgr::DiagHandlerTy DiagHandler,
1601 StringRef YAMLFilePath,
1602 void *DiagContext,
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001603 IntrusiveRefCntPtr<FileSystem> ExternalFS) {
Benjamin Kramerdadb58b2015-10-07 10:05:44 +00001604 return RedirectingFileSystem::create(std::move(Buffer), DiagHandler,
Benjamin Kramerd6da1a02016-06-12 20:05:23 +00001605 YAMLFilePath, DiagContext,
1606 std::move(ExternalFS));
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001607}
1608
1609UniqueID vfs::getNextVirtualUniqueID() {
Benjamin Kramer4527fb22014-03-02 17:08:31 +00001610 static std::atomic<unsigned> UID;
1611 unsigned ID = ++UID;
Ben Langmuird51ba0b2014-02-21 23:39:37 +00001612 // The following assumes that uint64_t max will never collide with a real
1613 // dev_t value from the OS.
1614 return UniqueID(std::numeric_limits<uint64_t>::max(), ID);
1615}
Justin Bogner9c785292014-05-20 21:43:27 +00001616
Justin Bogner9c785292014-05-20 21:43:27 +00001617void YAMLVFSWriter::addFileMapping(StringRef VirtualPath, StringRef RealPath) {
1618 assert(sys::path::is_absolute(VirtualPath) && "virtual path not absolute");
1619 assert(sys::path::is_absolute(RealPath) && "real path not absolute");
1620 assert(!pathHasTraversal(VirtualPath) && "path traversal is not supported");
1621 Mappings.emplace_back(VirtualPath, RealPath);
1622}
1623
Justin Bogner44fa450342014-05-21 22:46:51 +00001624namespace {
1625class JSONWriter {
1626 llvm::raw_ostream &OS;
1627 SmallVector<StringRef, 16> DirStack;
1628 inline unsigned getDirIndent() { return 4 * DirStack.size(); }
1629 inline unsigned getFileIndent() { return 4 * (DirStack.size() + 1); }
1630 bool containedIn(StringRef Parent, StringRef Path);
1631 StringRef containedPart(StringRef Parent, StringRef Path);
1632 void startDirectory(StringRef Path);
1633 void endDirectory();
1634 void writeEntry(StringRef VPath, StringRef RPath);
1635
1636public:
1637 JSONWriter(llvm::raw_ostream &OS) : OS(OS) {}
Bruno Cardoso Lopesfc8644c2016-04-13 19:28:21 +00001638 void write(ArrayRef<YAMLVFSEntry> Entries, Optional<bool> UseExternalNames,
1639 Optional<bool> IsCaseSensitive, Optional<bool> IsOverlayRelative,
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001640 Optional<bool> IgnoreNonExistentContents, StringRef OverlayDir);
Justin Bogner44fa450342014-05-21 22:46:51 +00001641};
Alexander Kornienkoab9db512015-06-22 23:07:51 +00001642}
Justin Bogner9c785292014-05-20 21:43:27 +00001643
Justin Bogner44fa450342014-05-21 22:46:51 +00001644bool JSONWriter::containedIn(StringRef Parent, StringRef Path) {
Justin Bogner1c078f22014-05-20 22:12:58 +00001645 using namespace llvm::sys;
1646 // Compare each path component.
1647 auto IParent = path::begin(Parent), EParent = path::end(Parent);
1648 for (auto IChild = path::begin(Path), EChild = path::end(Path);
1649 IParent != EParent && IChild != EChild; ++IParent, ++IChild) {
1650 if (*IParent != *IChild)
1651 return false;
1652 }
1653 // Have we exhausted the parent path?
1654 return IParent == EParent;
Justin Bogner9c785292014-05-20 21:43:27 +00001655}
1656
Justin Bogner44fa450342014-05-21 22:46:51 +00001657StringRef JSONWriter::containedPart(StringRef Parent, StringRef Path) {
1658 assert(!Parent.empty());
Justin Bogner9c785292014-05-20 21:43:27 +00001659 assert(containedIn(Parent, Path));
Justin Bogner9c785292014-05-20 21:43:27 +00001660 return Path.slice(Parent.size() + 1, StringRef::npos);
1661}
1662
Justin Bogner44fa450342014-05-21 22:46:51 +00001663void JSONWriter::startDirectory(StringRef Path) {
1664 StringRef Name =
1665 DirStack.empty() ? Path : containedPart(DirStack.back(), Path);
1666 DirStack.push_back(Path);
1667 unsigned Indent = getDirIndent();
1668 OS.indent(Indent) << "{\n";
1669 OS.indent(Indent + 2) << "'type': 'directory',\n";
1670 OS.indent(Indent + 2) << "'name': \"" << llvm::yaml::escape(Name) << "\",\n";
1671 OS.indent(Indent + 2) << "'contents': [\n";
1672}
1673
1674void JSONWriter::endDirectory() {
1675 unsigned Indent = getDirIndent();
1676 OS.indent(Indent + 2) << "]\n";
1677 OS.indent(Indent) << "}";
1678
1679 DirStack.pop_back();
1680}
1681
1682void JSONWriter::writeEntry(StringRef VPath, StringRef RPath) {
1683 unsigned Indent = getFileIndent();
1684 OS.indent(Indent) << "{\n";
1685 OS.indent(Indent + 2) << "'type': 'file',\n";
1686 OS.indent(Indent + 2) << "'name': \"" << llvm::yaml::escape(VPath) << "\",\n";
1687 OS.indent(Indent + 2) << "'external-contents': \""
1688 << llvm::yaml::escape(RPath) << "\"\n";
1689 OS.indent(Indent) << "}";
1690}
1691
1692void JSONWriter::write(ArrayRef<YAMLVFSEntry> Entries,
Bruno Cardoso Lopesfc8644c2016-04-13 19:28:21 +00001693 Optional<bool> UseExternalNames,
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001694 Optional<bool> IsCaseSensitive,
1695 Optional<bool> IsOverlayRelative,
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001696 Optional<bool> IgnoreNonExistentContents,
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001697 StringRef OverlayDir) {
Justin Bogner44fa450342014-05-21 22:46:51 +00001698 using namespace llvm::sys;
1699
1700 OS << "{\n"
1701 " 'version': 0,\n";
1702 if (IsCaseSensitive.hasValue())
1703 OS << " 'case-sensitive': '"
1704 << (IsCaseSensitive.getValue() ? "true" : "false") << "',\n";
Bruno Cardoso Lopesfc8644c2016-04-13 19:28:21 +00001705 if (UseExternalNames.hasValue())
1706 OS << " 'use-external-names': '"
1707 << (UseExternalNames.getValue() ? "true" : "false") << "',\n";
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001708 bool UseOverlayRelative = false;
1709 if (IsOverlayRelative.hasValue()) {
1710 UseOverlayRelative = IsOverlayRelative.getValue();
1711 OS << " 'overlay-relative': '"
1712 << (UseOverlayRelative ? "true" : "false") << "',\n";
1713 }
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001714 if (IgnoreNonExistentContents.hasValue())
1715 OS << " 'ignore-non-existent-contents': '"
1716 << (IgnoreNonExistentContents.getValue() ? "true" : "false") << "',\n";
Justin Bogner44fa450342014-05-21 22:46:51 +00001717 OS << " 'roots': [\n";
1718
Justin Bogner73466402014-07-15 01:24:35 +00001719 if (!Entries.empty()) {
1720 const YAMLVFSEntry &Entry = Entries.front();
1721 startDirectory(path::parent_path(Entry.VPath));
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001722
1723 StringRef RPath = Entry.RPath;
1724 if (UseOverlayRelative) {
1725 unsigned OverlayDirLen = OverlayDir.size();
1726 assert(RPath.substr(0, OverlayDirLen) == OverlayDir &&
1727 "Overlay dir must be contained in RPath");
1728 RPath = RPath.slice(OverlayDirLen, RPath.size());
1729 }
1730
1731 writeEntry(path::filename(Entry.VPath), RPath);
Justin Bogner44fa450342014-05-21 22:46:51 +00001732
Justin Bogner73466402014-07-15 01:24:35 +00001733 for (const auto &Entry : Entries.slice(1)) {
1734 StringRef Dir = path::parent_path(Entry.VPath);
1735 if (Dir == DirStack.back())
1736 OS << ",\n";
1737 else {
1738 while (!DirStack.empty() && !containedIn(DirStack.back(), Dir)) {
1739 OS << "\n";
1740 endDirectory();
1741 }
1742 OS << ",\n";
1743 startDirectory(Dir);
1744 }
Bruno Cardoso Lopesd878e282016-03-20 02:08:48 +00001745 StringRef RPath = Entry.RPath;
1746 if (UseOverlayRelative) {
1747 unsigned OverlayDirLen = OverlayDir.size();
1748 assert(RPath.substr(0, OverlayDirLen) == OverlayDir &&
1749 "Overlay dir must be contained in RPath");
1750 RPath = RPath.slice(OverlayDirLen, RPath.size());
1751 }
1752 writeEntry(path::filename(Entry.VPath), RPath);
Justin Bogner73466402014-07-15 01:24:35 +00001753 }
1754
1755 while (!DirStack.empty()) {
1756 OS << "\n";
1757 endDirectory();
1758 }
Justin Bogner44fa450342014-05-21 22:46:51 +00001759 OS << "\n";
Justin Bogner44fa450342014-05-21 22:46:51 +00001760 }
1761
Justin Bogner73466402014-07-15 01:24:35 +00001762 OS << " ]\n"
Justin Bogner44fa450342014-05-21 22:46:51 +00001763 << "}\n";
1764}
1765
Justin Bogner9c785292014-05-20 21:43:27 +00001766void YAMLVFSWriter::write(llvm::raw_ostream &OS) {
1767 std::sort(Mappings.begin(), Mappings.end(),
Justin Bogner44fa450342014-05-21 22:46:51 +00001768 [](const YAMLVFSEntry &LHS, const YAMLVFSEntry &RHS) {
Justin Bogner9c785292014-05-20 21:43:27 +00001769 return LHS.VPath < RHS.VPath;
1770 });
1771
Bruno Cardoso Lopesfc8644c2016-04-13 19:28:21 +00001772 JSONWriter(OS).write(Mappings, UseExternalNames, IsCaseSensitive,
Bruno Cardoso Lopesb40d8ad2016-08-12 01:50:53 +00001773 IsOverlayRelative, IgnoreNonExistentContents,
1774 OverlayDir);
Justin Bogner9c785292014-05-20 21:43:27 +00001775}
Ben Langmuir740812b2014-06-24 19:37:16 +00001776
Benjamin Kramer49692ed2015-10-09 13:28:13 +00001777VFSFromYamlDirIterImpl::VFSFromYamlDirIterImpl(
1778 const Twine &_Path, RedirectingFileSystem &FS,
1779 RedirectingDirectoryEntry::iterator Begin,
1780 RedirectingDirectoryEntry::iterator End, std::error_code &EC)
Ben Langmuir740812b2014-06-24 19:37:16 +00001781 : Dir(_Path.str()), FS(FS), Current(Begin), End(End) {
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001782 while (Current != End) {
Ben Langmuir740812b2014-06-24 19:37:16 +00001783 SmallString<128> PathStr(Dir);
1784 llvm::sys::path::append(PathStr, (*Current)->getName());
Yaron Keren92e1b622015-03-18 10:17:07 +00001785 llvm::ErrorOr<vfs::Status> S = FS.status(PathStr);
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001786 if (S) {
Ben Langmuir740812b2014-06-24 19:37:16 +00001787 CurrentEntry = *S;
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001788 return;
1789 }
1790 // Skip entries which do not map to a reliable external content.
1791 if (FS.ignoreNonExistentContents() &&
1792 S.getError() == llvm::errc::no_such_file_or_directory) {
1793 ++Current;
1794 continue;
1795 } else {
Ben Langmuir740812b2014-06-24 19:37:16 +00001796 EC = S.getError();
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001797 break;
1798 }
Ben Langmuir740812b2014-06-24 19:37:16 +00001799 }
1800}
1801
1802std::error_code VFSFromYamlDirIterImpl::increment() {
1803 assert(Current != End && "cannot iterate past end");
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001804 while (++Current != End) {
Ben Langmuir740812b2014-06-24 19:37:16 +00001805 SmallString<128> PathStr(Dir);
1806 llvm::sys::path::append(PathStr, (*Current)->getName());
Yaron Keren92e1b622015-03-18 10:17:07 +00001807 llvm::ErrorOr<vfs::Status> S = FS.status(PathStr);
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001808 if (!S) {
1809 // Skip entries which do not map to a reliable external content.
1810 if (FS.ignoreNonExistentContents() &&
1811 S.getError() == llvm::errc::no_such_file_or_directory) {
1812 continue;
1813 } else {
1814 return S.getError();
1815 }
1816 }
Ben Langmuir740812b2014-06-24 19:37:16 +00001817 CurrentEntry = *S;
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001818 break;
Bruno Cardoso Lopese43e2632016-08-12 02:17:26 +00001819 }
Bruno Cardoso Lopesb7abde02016-08-12 18:18:24 +00001820
1821 if (Current == End)
1822 CurrentEntry = Status();
Ben Langmuir740812b2014-06-24 19:37:16 +00001823 return std::error_code();
1824}
Ben Langmuir7c9f6c82014-06-25 20:25:40 +00001825
1826vfs::recursive_directory_iterator::recursive_directory_iterator(FileSystem &FS_,
1827 const Twine &Path,
1828 std::error_code &EC)
1829 : FS(&FS_) {
1830 directory_iterator I = FS->dir_begin(Path, EC);
1831 if (!EC && I != directory_iterator()) {
1832 State = std::make_shared<IterState>();
1833 State->push(I);
1834 }
1835}
1836
1837vfs::recursive_directory_iterator &
1838recursive_directory_iterator::increment(std::error_code &EC) {
1839 assert(FS && State && !State->empty() && "incrementing past end");
1840 assert(State->top()->isStatusKnown() && "non-canonical end iterator");
1841 vfs::directory_iterator End;
1842 if (State->top()->isDirectory()) {
1843 vfs::directory_iterator I = FS->dir_begin(State->top()->getName(), EC);
1844 if (EC)
1845 return *this;
1846 if (I != End) {
1847 State->push(I);
1848 return *this;
1849 }
1850 }
1851
1852 while (!State->empty() && State->top().increment(EC) == End)
1853 State->pop();
1854
1855 if (State->empty())
1856 State.reset(); // end iterator
1857
1858 return *this;
Rafael Espindola2d2b4202014-07-06 17:43:24 +00001859}