FileSystemPosix.cpp revision 360784
1//===-- FileSystem.cpp ------------------------------------------*- 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#include "lldb/Host/FileSystem.h"
10
11// C includes
12#include <dirent.h>
13#include <fcntl.h>
14#include <sys/mount.h>
15#include <sys/param.h>
16#include <sys/stat.h>
17#include <sys/types.h>
18#include <unistd.h>
19#if defined(__NetBSD__)
20#include <sys/statvfs.h>
21#endif
22
23// lldb Includes
24#include "lldb/Host/Host.h"
25#include "lldb/Utility/Status.h"
26#include "lldb/Utility/StreamString.h"
27
28#include "llvm/Support/Errno.h"
29#include "llvm/Support/FileSystem.h"
30
31using namespace lldb;
32using namespace lldb_private;
33
34const char *FileSystem::DEV_NULL = "/dev/null";
35
36Status FileSystem::Symlink(const FileSpec &src, const FileSpec &dst) {
37  Status error;
38  if (::symlink(dst.GetCString(), src.GetCString()) == -1)
39    error.SetErrorToErrno();
40  return error;
41}
42
43Status FileSystem::Readlink(const FileSpec &src, FileSpec &dst) {
44  Status error;
45  char buf[PATH_MAX];
46  ssize_t count = ::readlink(src.GetCString(), buf, sizeof(buf) - 1);
47  if (count < 0)
48    error.SetErrorToErrno();
49  else {
50    buf[count] = '\0'; // Success
51    dst.SetFile(buf, FileSpec::Style::native);
52  }
53  return error;
54}
55
56Status FileSystem::ResolveSymbolicLink(const FileSpec &src, FileSpec &dst) {
57  char resolved_path[PATH_MAX];
58  if (!src.GetPath(resolved_path, sizeof(resolved_path))) {
59    return Status("Couldn't get the canonical path for %s", src.GetCString());
60  }
61
62  char real_path[PATH_MAX + 1];
63  if (realpath(resolved_path, real_path) == nullptr) {
64    Status err;
65    err.SetErrorToErrno();
66    return err;
67  }
68
69  dst = FileSpec(real_path);
70
71  return Status();
72}
73
74FILE *FileSystem::Fopen(const char *path, const char *mode) {
75  return llvm::sys::RetryAfterSignal(nullptr, ::fopen, path, mode);
76}
77
78int FileSystem::Open(const char *path, int flags, int mode) {
79  return llvm::sys::RetryAfterSignal(-1, ::open, path, flags, mode);
80}
81