Recommit [NFC] Better encapsulation of llvm::Optional Storage
[llvm-complete.git] / include / llvm / Support / VirtualFileSystem.h
blob7c57dd3a31ec44e76538ed88e525a68c6d350d3a
1 //===- VirtualFileSystem.h - Virtual File System Layer ----------*- C++ -*-===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 /// \file
10 /// Defines the virtual file system interface vfs::FileSystem.
12 //===----------------------------------------------------------------------===//
14 #ifndef LLVM_SUPPORT_VIRTUALFILESYSTEM_H
15 #define LLVM_SUPPORT_VIRTUALFILESYSTEM_H
17 #include "llvm/ADT/IntrusiveRefCntPtr.h"
18 #include "llvm/ADT/None.h"
19 #include "llvm/ADT/Optional.h"
20 #include "llvm/ADT/SmallVector.h"
21 #include "llvm/ADT/StringRef.h"
22 #include "llvm/ADT/Twine.h"
23 #include "llvm/Support/Chrono.h"
24 #include "llvm/Support/ErrorOr.h"
25 #include "llvm/Support/FileSystem.h"
26 #include "llvm/Support/Path.h"
27 #include "llvm/Support/SourceMgr.h"
28 #include <cassert>
29 #include <cstdint>
30 #include <ctime>
31 #include <memory>
32 #include <stack>
33 #include <string>
34 #include <system_error>
35 #include <utility>
36 #include <vector>
38 namespace llvm {
40 class MemoryBuffer;
42 namespace vfs {
44 /// The result of a \p status operation.
45 class Status {
46 std::string Name;
47 llvm::sys::fs::UniqueID UID;
48 llvm::sys::TimePoint<> MTime;
49 uint32_t User;
50 uint32_t Group;
51 uint64_t Size;
52 llvm::sys::fs::file_type Type = llvm::sys::fs::file_type::status_error;
53 llvm::sys::fs::perms Perms;
55 public:
56 // FIXME: remove when files support multiple names
57 bool IsVFSMapped = false;
59 Status() = default;
60 Status(const llvm::sys::fs::file_status &Status);
61 Status(StringRef Name, llvm::sys::fs::UniqueID UID,
62 llvm::sys::TimePoint<> MTime, uint32_t User, uint32_t Group,
63 uint64_t Size, llvm::sys::fs::file_type Type,
64 llvm::sys::fs::perms Perms);
66 /// Get a copy of a Status with a different name.
67 static Status copyWithNewName(const Status &In, StringRef NewName);
68 static Status copyWithNewName(const llvm::sys::fs::file_status &In,
69 StringRef NewName);
71 /// Returns the name that should be used for this file or directory.
72 StringRef getName() const { return Name; }
74 /// @name Status interface from llvm::sys::fs
75 /// @{
76 llvm::sys::fs::file_type getType() const { return Type; }
77 llvm::sys::fs::perms getPermissions() const { return Perms; }
78 llvm::sys::TimePoint<> getLastModificationTime() const { return MTime; }
79 llvm::sys::fs::UniqueID getUniqueID() const { return UID; }
80 uint32_t getUser() const { return User; }
81 uint32_t getGroup() const { return Group; }
82 uint64_t getSize() const { return Size; }
83 /// @}
84 /// @name Status queries
85 /// These are static queries in llvm::sys::fs.
86 /// @{
87 bool equivalent(const Status &Other) const;
88 bool isDirectory() const;
89 bool isRegularFile() const;
90 bool isOther() const;
91 bool isSymlink() const;
92 bool isStatusKnown() const;
93 bool exists() const;
94 /// @}
97 /// Represents an open file.
98 class File {
99 public:
100 /// Destroy the file after closing it (if open).
101 /// Sub-classes should generally call close() inside their destructors. We
102 /// cannot do that from the base class, since close is virtual.
103 virtual ~File();
105 /// Get the status of the file.
106 virtual llvm::ErrorOr<Status> status() = 0;
108 /// Get the name of the file
109 virtual llvm::ErrorOr<std::string> getName() {
110 if (auto Status = status())
111 return Status->getName().str();
112 else
113 return Status.getError();
116 /// Get the contents of the file as a \p MemoryBuffer.
117 virtual llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>>
118 getBuffer(const Twine &Name, int64_t FileSize = -1,
119 bool RequiresNullTerminator = true, bool IsVolatile = false) = 0;
121 /// Closes the file.
122 virtual std::error_code close() = 0;
125 /// A member of a directory, yielded by a directory_iterator.
126 /// Only information available on most platforms is included.
127 class directory_entry {
128 std::string Path;
129 llvm::sys::fs::file_type Type;
131 public:
132 directory_entry() = default;
133 directory_entry(std::string Path, llvm::sys::fs::file_type Type)
134 : Path(std::move(Path)), Type(Type) {}
136 llvm::StringRef path() const { return Path; }
137 llvm::sys::fs::file_type type() const { return Type; }
140 namespace detail {
142 /// An interface for virtual file systems to provide an iterator over the
143 /// (non-recursive) contents of a directory.
144 struct DirIterImpl {
145 virtual ~DirIterImpl();
147 /// Sets \c CurrentEntry to the next entry in the directory on success,
148 /// to directory_entry() at end, or returns a system-defined \c error_code.
149 virtual std::error_code increment() = 0;
151 directory_entry CurrentEntry;
154 } // namespace detail
156 /// An input iterator over the entries in a virtual path, similar to
157 /// llvm::sys::fs::directory_iterator.
158 class directory_iterator {
159 std::shared_ptr<detail::DirIterImpl> Impl; // Input iterator semantics on copy
161 public:
162 directory_iterator(std::shared_ptr<detail::DirIterImpl> I)
163 : Impl(std::move(I)) {
164 assert(Impl.get() != nullptr && "requires non-null implementation");
165 if (Impl->CurrentEntry.path().empty())
166 Impl.reset(); // Normalize the end iterator to Impl == nullptr.
169 /// Construct an 'end' iterator.
170 directory_iterator() = default;
172 /// Equivalent to operator++, with an error code.
173 directory_iterator &increment(std::error_code &EC) {
174 assert(Impl && "attempting to increment past end");
175 EC = Impl->increment();
176 if (Impl->CurrentEntry.path().empty())
177 Impl.reset(); // Normalize the end iterator to Impl == nullptr.
178 return *this;
181 const directory_entry &operator*() const { return Impl->CurrentEntry; }
182 const directory_entry *operator->() const { return &Impl->CurrentEntry; }
184 bool operator==(const directory_iterator &RHS) const {
185 if (Impl && RHS.Impl)
186 return Impl->CurrentEntry.path() == RHS.Impl->CurrentEntry.path();
187 return !Impl && !RHS.Impl;
189 bool operator!=(const directory_iterator &RHS) const {
190 return !(*this == RHS);
194 class FileSystem;
196 namespace detail {
198 /// Keeps state for the recursive_directory_iterator.
199 struct RecDirIterState {
200 std::stack<directory_iterator, std::vector<directory_iterator>> Stack;
201 bool HasNoPushRequest = false;
204 } // end namespace detail
206 /// An input iterator over the recursive contents of a virtual path,
207 /// similar to llvm::sys::fs::recursive_directory_iterator.
208 class recursive_directory_iterator {
209 FileSystem *FS;
210 std::shared_ptr<detail::RecDirIterState>
211 State; // Input iterator semantics on copy.
213 public:
214 recursive_directory_iterator(FileSystem &FS, const Twine &Path,
215 std::error_code &EC);
217 /// Construct an 'end' iterator.
218 recursive_directory_iterator() = default;
220 /// Equivalent to operator++, with an error code.
221 recursive_directory_iterator &increment(std::error_code &EC);
223 const directory_entry &operator*() const { return *State->Stack.top(); }
224 const directory_entry *operator->() const { return &*State->Stack.top(); }
226 bool operator==(const recursive_directory_iterator &Other) const {
227 return State == Other.State; // identity
229 bool operator!=(const recursive_directory_iterator &RHS) const {
230 return !(*this == RHS);
233 /// Gets the current level. Starting path is at level 0.
234 int level() const {
235 assert(!State->Stack.empty() &&
236 "Cannot get level without any iteration state");
237 return State->Stack.size() - 1;
240 void no_push() { State->HasNoPushRequest = true; }
243 /// The virtual file system interface.
244 class FileSystem : public llvm::ThreadSafeRefCountedBase<FileSystem> {
245 public:
246 virtual ~FileSystem();
248 /// Get the status of the entry at \p Path, if one exists.
249 virtual llvm::ErrorOr<Status> status(const Twine &Path) = 0;
251 /// Get a \p File object for the file at \p Path, if one exists.
252 virtual llvm::ErrorOr<std::unique_ptr<File>>
253 openFileForRead(const Twine &Path) = 0;
255 /// This is a convenience method that opens a file, gets its content and then
256 /// closes the file.
257 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>>
258 getBufferForFile(const Twine &Name, int64_t FileSize = -1,
259 bool RequiresNullTerminator = true, bool IsVolatile = false);
261 /// Get a directory_iterator for \p Dir.
262 /// \note The 'end' iterator is directory_iterator().
263 virtual directory_iterator dir_begin(const Twine &Dir,
264 std::error_code &EC) = 0;
266 /// Set the working directory. This will affect all following operations on
267 /// this file system and may propagate down for nested file systems.
268 virtual std::error_code setCurrentWorkingDirectory(const Twine &Path) = 0;
270 /// Get the working directory of this file system.
271 virtual llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const = 0;
273 /// Gets real path of \p Path e.g. collapse all . and .. patterns, resolve
274 /// symlinks. For real file system, this uses `llvm::sys::fs::real_path`.
275 /// This returns errc::operation_not_permitted if not implemented by subclass.
276 virtual std::error_code getRealPath(const Twine &Path,
277 SmallVectorImpl<char> &Output) const;
279 /// Check whether a file exists. Provided for convenience.
280 bool exists(const Twine &Path);
282 /// Is the file mounted on a local filesystem?
283 virtual std::error_code isLocal(const Twine &Path, bool &Result);
285 /// Make \a Path an absolute path.
287 /// Makes \a Path absolute using the current directory if it is not already.
288 /// An empty \a Path will result in the current directory.
290 /// /absolute/path => /absolute/path
291 /// relative/../path => <current-directory>/relative/../path
293 /// \param Path A path that is modified to be an absolute path.
294 /// \returns success if \a path has been made absolute, otherwise a
295 /// platform-specific error_code.
296 std::error_code makeAbsolute(SmallVectorImpl<char> &Path) const;
299 /// Gets an \p vfs::FileSystem for the 'real' file system, as seen by
300 /// the operating system.
301 /// The working directory is linked to the process's working directory.
302 /// (This is usually thread-hostile).
303 IntrusiveRefCntPtr<FileSystem> getRealFileSystem();
305 /// Create an \p vfs::FileSystem for the 'real' file system, as seen by
306 /// the operating system.
307 /// It has its own working directory, independent of (but initially equal to)
308 /// that of the process.
309 std::unique_ptr<FileSystem> createPhysicalFileSystem();
311 /// A file system that allows overlaying one \p AbstractFileSystem on top
312 /// of another.
314 /// Consists of a stack of >=1 \p FileSystem objects, which are treated as being
315 /// one merged file system. When there is a directory that exists in more than
316 /// one file system, the \p OverlayFileSystem contains a directory containing
317 /// the union of their contents. The attributes (permissions, etc.) of the
318 /// top-most (most recently added) directory are used. When there is a file
319 /// that exists in more than one file system, the file in the top-most file
320 /// system overrides the other(s).
321 class OverlayFileSystem : public FileSystem {
322 using FileSystemList = SmallVector<IntrusiveRefCntPtr<FileSystem>, 1>;
324 /// The stack of file systems, implemented as a list in order of
325 /// their addition.
326 FileSystemList FSList;
328 public:
329 OverlayFileSystem(IntrusiveRefCntPtr<FileSystem> Base);
331 /// Pushes a file system on top of the stack.
332 void pushOverlay(IntrusiveRefCntPtr<FileSystem> FS);
334 llvm::ErrorOr<Status> status(const Twine &Path) override;
335 llvm::ErrorOr<std::unique_ptr<File>>
336 openFileForRead(const Twine &Path) override;
337 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override;
338 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override;
339 std::error_code setCurrentWorkingDirectory(const Twine &Path) override;
340 std::error_code isLocal(const Twine &Path, bool &Result) override;
341 std::error_code getRealPath(const Twine &Path,
342 SmallVectorImpl<char> &Output) const override;
344 using iterator = FileSystemList::reverse_iterator;
345 using const_iterator = FileSystemList::const_reverse_iterator;
347 /// Get an iterator pointing to the most recently added file system.
348 iterator overlays_begin() { return FSList.rbegin(); }
349 const_iterator overlays_begin() const { return FSList.rbegin(); }
351 /// Get an iterator pointing one-past the least recently added file
352 /// system.
353 iterator overlays_end() { return FSList.rend(); }
354 const_iterator overlays_end() const { return FSList.rend(); }
357 /// By default, this delegates all calls to the underlying file system. This
358 /// is useful when derived file systems want to override some calls and still
359 /// proxy other calls.
360 class ProxyFileSystem : public FileSystem {
361 public:
362 explicit ProxyFileSystem(IntrusiveRefCntPtr<FileSystem> FS)
363 : FS(std::move(FS)) {}
365 llvm::ErrorOr<Status> status(const Twine &Path) override {
366 return FS->status(Path);
368 llvm::ErrorOr<std::unique_ptr<File>>
369 openFileForRead(const Twine &Path) override {
370 return FS->openFileForRead(Path);
372 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override {
373 return FS->dir_begin(Dir, EC);
375 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override {
376 return FS->getCurrentWorkingDirectory();
378 std::error_code setCurrentWorkingDirectory(const Twine &Path) override {
379 return FS->setCurrentWorkingDirectory(Path);
381 std::error_code getRealPath(const Twine &Path,
382 SmallVectorImpl<char> &Output) const override {
383 return FS->getRealPath(Path, Output);
385 std::error_code isLocal(const Twine &Path, bool &Result) override {
386 return FS->isLocal(Path, Result);
389 protected:
390 FileSystem &getUnderlyingFS() { return *FS; }
392 private:
393 IntrusiveRefCntPtr<FileSystem> FS;
395 virtual void anchor();
398 namespace detail {
400 class InMemoryDirectory;
401 class InMemoryFile;
403 } // namespace detail
405 /// An in-memory file system.
406 class InMemoryFileSystem : public FileSystem {
407 std::unique_ptr<detail::InMemoryDirectory> Root;
408 std::string WorkingDirectory;
409 bool UseNormalizedPaths = true;
411 /// If HardLinkTarget is non-null, a hardlink is created to the To path which
412 /// must be a file. If it is null then it adds the file as the public addFile.
413 bool addFile(const Twine &Path, time_t ModificationTime,
414 std::unique_ptr<llvm::MemoryBuffer> Buffer,
415 Optional<uint32_t> User, Optional<uint32_t> Group,
416 Optional<llvm::sys::fs::file_type> Type,
417 Optional<llvm::sys::fs::perms> Perms,
418 const detail::InMemoryFile *HardLinkTarget);
420 public:
421 explicit InMemoryFileSystem(bool UseNormalizedPaths = true);
422 ~InMemoryFileSystem() override;
424 /// Add a file containing a buffer or a directory to the VFS with a
425 /// path. The VFS owns the buffer. If present, User, Group, Type
426 /// and Perms apply to the newly-created file or directory.
427 /// \return true if the file or directory was successfully added,
428 /// false if the file or directory already exists in the file system with
429 /// different contents.
430 bool addFile(const Twine &Path, time_t ModificationTime,
431 std::unique_ptr<llvm::MemoryBuffer> Buffer,
432 Optional<uint32_t> User = None, Optional<uint32_t> Group = None,
433 Optional<llvm::sys::fs::file_type> Type = None,
434 Optional<llvm::sys::fs::perms> Perms = None);
436 /// Add a hard link to a file.
437 /// Here hard links are not intended to be fully equivalent to the classical
438 /// filesystem. Both the hard link and the file share the same buffer and
439 /// status (and thus have the same UniqueID). Because of this there is no way
440 /// to distinguish between the link and the file after the link has been
441 /// added.
443 /// The To path must be an existing file or a hardlink. The From file must not
444 /// have been added before. The To Path must not be a directory. The From Node
445 /// is added as a hard link which points to the resolved file of To Node.
446 /// \return true if the above condition is satisfied and hardlink was
447 /// successfully created, false otherwise.
448 bool addHardLink(const Twine &From, const Twine &To);
450 /// Add a buffer to the VFS with a path. The VFS does not own the buffer.
451 /// If present, User, Group, Type and Perms apply to the newly-created file
452 /// or directory.
453 /// \return true if the file or directory was successfully added,
454 /// false if the file or directory already exists in the file system with
455 /// different contents.
456 bool addFileNoOwn(const Twine &Path, time_t ModificationTime,
457 llvm::MemoryBuffer *Buffer, Optional<uint32_t> User = None,
458 Optional<uint32_t> Group = None,
459 Optional<llvm::sys::fs::file_type> Type = None,
460 Optional<llvm::sys::fs::perms> Perms = None);
462 std::string toString() const;
464 /// Return true if this file system normalizes . and .. in paths.
465 bool useNormalizedPaths() const { return UseNormalizedPaths; }
467 llvm::ErrorOr<Status> status(const Twine &Path) override;
468 llvm::ErrorOr<std::unique_ptr<File>>
469 openFileForRead(const Twine &Path) override;
470 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override;
472 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override {
473 return WorkingDirectory;
475 /// Canonicalizes \p Path by combining with the current working
476 /// directory and normalizing the path (e.g. remove dots). If the current
477 /// working directory is not set, this returns errc::operation_not_permitted.
479 /// This doesn't resolve symlinks as they are not supported in in-memory file
480 /// system.
481 std::error_code getRealPath(const Twine &Path,
482 SmallVectorImpl<char> &Output) const override;
483 std::error_code isLocal(const Twine &Path, bool &Result) override;
484 std::error_code setCurrentWorkingDirectory(const Twine &Path) override;
487 /// Get a globally unique ID for a virtual file or directory.
488 llvm::sys::fs::UniqueID getNextVirtualUniqueID();
490 /// Gets a \p FileSystem for a virtual file system described in YAML
491 /// format.
492 IntrusiveRefCntPtr<FileSystem>
493 getVFSFromYAML(std::unique_ptr<llvm::MemoryBuffer> Buffer,
494 llvm::SourceMgr::DiagHandlerTy DiagHandler,
495 StringRef YAMLFilePath, void *DiagContext = nullptr,
496 IntrusiveRefCntPtr<FileSystem> ExternalFS = getRealFileSystem());
498 struct YAMLVFSEntry {
499 template <typename T1, typename T2>
500 YAMLVFSEntry(T1 &&VPath, T2 &&RPath)
501 : VPath(std::forward<T1>(VPath)), RPath(std::forward<T2>(RPath)) {}
502 std::string VPath;
503 std::string RPath;
506 class VFSFromYamlDirIterImpl;
507 class RedirectingFileSystemParser;
509 /// A virtual file system parsed from a YAML file.
511 /// Currently, this class allows creating virtual directories and mapping
512 /// virtual file paths to existing external files, available in \c ExternalFS.
514 /// The basic structure of the parsed file is:
515 /// \verbatim
516 /// {
517 /// 'version': <version number>,
518 /// <optional configuration>
519 /// 'roots': [
520 /// <directory entries>
521 /// ]
522 /// }
523 /// \endverbatim
525 /// All configuration options are optional.
526 /// 'case-sensitive': <boolean, default=true>
527 /// 'use-external-names': <boolean, default=true>
528 /// 'overlay-relative': <boolean, default=false>
529 /// 'fallthrough': <boolean, default=true>
531 /// Virtual directories are represented as
532 /// \verbatim
533 /// {
534 /// 'type': 'directory',
535 /// 'name': <string>,
536 /// 'contents': [ <file or directory entries> ]
537 /// }
538 /// \endverbatim
540 /// The default attributes for virtual directories are:
541 /// \verbatim
542 /// MTime = now() when created
543 /// Perms = 0777
544 /// User = Group = 0
545 /// Size = 0
546 /// UniqueID = unspecified unique value
547 /// \endverbatim
549 /// Re-mapped files are represented as
550 /// \verbatim
551 /// {
552 /// 'type': 'file',
553 /// 'name': <string>,
554 /// 'use-external-name': <boolean> # Optional
555 /// 'external-contents': <path to external file>
556 /// }
557 /// \endverbatim
559 /// and inherit their attributes from the external contents.
561 /// In both cases, the 'name' field may contain multiple path components (e.g.
562 /// /path/to/file). However, any directory that contains more than one child
563 /// must be uniquely represented by a directory entry.
564 class RedirectingFileSystem : public vfs::FileSystem {
565 public:
566 enum EntryKind { EK_Directory, EK_File };
568 /// A single file or directory in the VFS.
569 class Entry {
570 EntryKind Kind;
571 std::string Name;
573 public:
574 Entry(EntryKind K, StringRef Name) : Kind(K), Name(Name) {}
575 virtual ~Entry() = default;
577 StringRef getName() const { return Name; }
578 EntryKind getKind() const { return Kind; }
581 class RedirectingDirectoryEntry : public Entry {
582 std::vector<std::unique_ptr<Entry>> Contents;
583 Status S;
585 public:
586 RedirectingDirectoryEntry(StringRef Name,
587 std::vector<std::unique_ptr<Entry>> Contents,
588 Status S)
589 : Entry(EK_Directory, Name), Contents(std::move(Contents)),
590 S(std::move(S)) {}
591 RedirectingDirectoryEntry(StringRef Name, Status S)
592 : Entry(EK_Directory, Name), S(std::move(S)) {}
594 Status getStatus() { return S; }
596 void addContent(std::unique_ptr<Entry> Content) {
597 Contents.push_back(std::move(Content));
600 Entry *getLastContent() const { return Contents.back().get(); }
602 using iterator = decltype(Contents)::iterator;
604 iterator contents_begin() { return Contents.begin(); }
605 iterator contents_end() { return Contents.end(); }
607 static bool classof(const Entry *E) { return E->getKind() == EK_Directory; }
610 class RedirectingFileEntry : public Entry {
611 public:
612 enum NameKind { NK_NotSet, NK_External, NK_Virtual };
614 private:
615 std::string ExternalContentsPath;
616 NameKind UseName;
618 public:
619 RedirectingFileEntry(StringRef Name, StringRef ExternalContentsPath,
620 NameKind UseName)
621 : Entry(EK_File, Name), ExternalContentsPath(ExternalContentsPath),
622 UseName(UseName) {}
624 StringRef getExternalContentsPath() const { return ExternalContentsPath; }
626 /// whether to use the external path as the name for this file.
627 bool useExternalName(bool GlobalUseExternalName) const {
628 return UseName == NK_NotSet ? GlobalUseExternalName
629 : (UseName == NK_External);
632 NameKind getUseName() const { return UseName; }
634 static bool classof(const Entry *E) { return E->getKind() == EK_File; }
637 private:
638 friend class VFSFromYamlDirIterImpl;
639 friend class RedirectingFileSystemParser;
641 /// The root(s) of the virtual file system.
642 std::vector<std::unique_ptr<Entry>> Roots;
644 /// The file system to use for external references.
645 IntrusiveRefCntPtr<FileSystem> ExternalFS;
647 /// If IsRelativeOverlay is set, this represents the directory
648 /// path that should be prefixed to each 'external-contents' entry
649 /// when reading from YAML files.
650 std::string ExternalContentsPrefixDir;
652 /// @name Configuration
653 /// @{
655 /// Whether to perform case-sensitive comparisons.
657 /// Currently, case-insensitive matching only works correctly with ASCII.
658 bool CaseSensitive = true;
660 /// IsRelativeOverlay marks whether a ExternalContentsPrefixDir path must
661 /// be prefixed in every 'external-contents' when reading from YAML files.
662 bool IsRelativeOverlay = false;
664 /// Whether to use to use the value of 'external-contents' for the
665 /// names of files. This global value is overridable on a per-file basis.
666 bool UseExternalNames = true;
668 /// Whether to attempt a file lookup in external file system after it wasn't
669 /// found in VFS.
670 bool IsFallthrough = true;
671 /// @}
673 /// Virtual file paths and external files could be canonicalized without "..",
674 /// "." and "./" in their paths. FIXME: some unittests currently fail on
675 /// win32 when using remove_dots and remove_leading_dotslash on paths.
676 bool UseCanonicalizedPaths =
677 #ifdef _WIN32
678 false;
679 #else
680 true;
681 #endif
683 RedirectingFileSystem(IntrusiveRefCntPtr<FileSystem> ExternalFS)
684 : ExternalFS(std::move(ExternalFS)) {}
686 /// Looks up the path <tt>[Start, End)</tt> in \p From, possibly
687 /// recursing into the contents of \p From if it is a directory.
688 ErrorOr<Entry *> lookupPath(llvm::sys::path::const_iterator Start,
689 llvm::sys::path::const_iterator End,
690 Entry *From) const;
692 /// Get the status of a given an \c Entry.
693 ErrorOr<Status> status(const Twine &Path, Entry *E);
695 public:
696 /// Looks up \p Path in \c Roots.
697 ErrorOr<Entry *> lookupPath(const Twine &Path) const;
699 /// Parses \p Buffer, which is expected to be in YAML format and
700 /// returns a virtual file system representing its contents.
701 static RedirectingFileSystem *
702 create(std::unique_ptr<MemoryBuffer> Buffer,
703 SourceMgr::DiagHandlerTy DiagHandler, StringRef YAMLFilePath,
704 void *DiagContext, IntrusiveRefCntPtr<FileSystem> ExternalFS);
706 ErrorOr<Status> status(const Twine &Path) override;
707 ErrorOr<std::unique_ptr<File>> openFileForRead(const Twine &Path) override;
709 std::error_code getRealPath(const Twine &Path,
710 SmallVectorImpl<char> &Output) const override;
712 llvm::ErrorOr<std::string> getCurrentWorkingDirectory() const override;
714 std::error_code setCurrentWorkingDirectory(const Twine &Path) override;
716 std::error_code isLocal(const Twine &Path, bool &Result) override;
718 directory_iterator dir_begin(const Twine &Dir, std::error_code &EC) override;
720 void setExternalContentsPrefixDir(StringRef PrefixDir);
722 StringRef getExternalContentsPrefixDir() const;
724 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
725 LLVM_DUMP_METHOD void dump() const;
726 LLVM_DUMP_METHOD void dumpEntry(Entry *E, int NumSpaces = 0) const;
727 #endif
730 /// Collect all pairs of <virtual path, real path> entries from the
731 /// \p YAMLFilePath. This is used by the module dependency collector to forward
732 /// the entries into the reproducer output VFS YAML file.
733 void collectVFSFromYAML(
734 std::unique_ptr<llvm::MemoryBuffer> Buffer,
735 llvm::SourceMgr::DiagHandlerTy DiagHandler, StringRef YAMLFilePath,
736 SmallVectorImpl<YAMLVFSEntry> &CollectedEntries,
737 void *DiagContext = nullptr,
738 IntrusiveRefCntPtr<FileSystem> ExternalFS = getRealFileSystem());
740 class YAMLVFSWriter {
741 std::vector<YAMLVFSEntry> Mappings;
742 Optional<bool> IsCaseSensitive;
743 Optional<bool> IsOverlayRelative;
744 Optional<bool> UseExternalNames;
745 std::string OverlayDir;
747 public:
748 YAMLVFSWriter() = default;
750 void addFileMapping(StringRef VirtualPath, StringRef RealPath);
752 void setCaseSensitivity(bool CaseSensitive) {
753 IsCaseSensitive = CaseSensitive;
756 void setUseExternalNames(bool UseExtNames) { UseExternalNames = UseExtNames; }
758 void setOverlayDir(StringRef OverlayDirectory) {
759 IsOverlayRelative = true;
760 OverlayDir.assign(OverlayDirectory.str());
763 const std::vector<YAMLVFSEntry> &getMappings() const { return Mappings; }
765 void write(llvm::raw_ostream &OS);
768 } // namespace vfs
769 } // namespace llvm
771 #endif // LLVM_SUPPORT_VIRTUALFILESYSTEM_H