summaryrefslogtreecommitdiff
path: root/lib/filesystem.cpp
blob: 7e8ab9ca1be5cc0937ee8e60b5b98d4d5ce14294 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
#include "filesystem.h"
#include <fcntl.h>
#include <filesystem>
#include <string>
#include <sys/mman.h>
#include <system_error>
#include <unistd.h>

namespace filesystem {
	template<typename... Args>
	[[noreturn]] static void
	throw_filesystem_error(std::string operation, int err, Args &&... args)
	{
		throw std::filesystem::filesystem_error {
				std::move(operation), std::forward<Args>(args)..., std::error_code {err, std::system_category()}};
	}

	memmap::memmap(size_t length, int prot, int flags, int fd, off_t offset) :
		addr {mmap(nullptr, length, prot, flags, fd, offset)}, length {length}
	{
		if (addr == MAP_FAILED) {
			throw std::filesystem::filesystem_error {"mmap", std::error_code {errno, std::system_category()}};
		}
	}

	memmap::~memmap()
	{
		::munmap(addr, length);
	}

	void
	memmap::msync(int flags) const
	{
		if (::msync(addr, length, flags)) {
			throw_filesystem_error("msync", errno);
		}
	}

	// NOLINTNEXTLINE(hicpp-vararg)
	fh::fh(const char * path, int flags, int mode) : h {open(path, flags, mode)}
	{
		if (h == -1) {
			throw_filesystem_error("open", errno, path);
		}
	}

	fh::~fh()
	{
		::close(h);
	}

	void
	fh::truncate(size_t size)
	{
		if (::ftruncate(h, static_cast<off_t>(size))) {
			throw_filesystem_error("ftruncate", errno);
		}
	}

	memmap
	fh::mmap(size_t length, size_t offset, int prot, int flags)
	{
		return memmap {length, prot, flags, h, static_cast<off_t>(offset)};
	}

	FILE *
	checked_fopen(const char * pathname, const char * mode)
	{
		if (auto file = fopen(pathname, mode)) {
			return file;
		}
		throw_filesystem_error("fopen", errno, pathname);
	}
}