-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathSetupSeccomp.cpp
98 lines (74 loc) · 2.73 KB
/
SetupSeccomp.cpp
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
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
#include "SetupSeccomp.h"
#include <seccomp.h>
#include <sys/ioctl.h>
#include <memory>
#include <sstream>
#define WS_SYS_PAIR(ARG) { SCMP_SYS(ARG), #ARG }
namespace {
std::string ErrorString(const char * desc, int rc)
{
std::ostringstream os;
os << desc << " (" << rc << ")";
return os.str();
}
std::string RuleAddErrorString(const char * sys_name, int sys_value, int rc)
{
std::ostringstream os;
os << "seccomp_rule_add allow " << sys_name << " (" << sys_value
<< ") failed (" << rc << ")";
return os.str();
}
} // namespace
namespace ws {
void SetupSeccomp()
{
// scope guard for seccomp_{init,release}
using SeccompGuard = std::unique_ptr<void, decltype(&seccomp_release)>;
SeccompGuard ctx(seccomp_init(SCMP_ACT_KILL_PROCESS), seccomp_release);
if( !ctx )
throw SetupSeccompError("seccomp_init failed");
std::pair<int, const char *> whitelist[] = {
WS_SYS_PAIR(accept),
WS_SYS_PAIR(brk),
WS_SYS_PAIR(close),
WS_SYS_PAIR(epoll_ctl),
WS_SYS_PAIR(epoll_wait),
WS_SYS_PAIR(futex),
WS_SYS_PAIR(getpid),
WS_SYS_PAIR(getrandom),
WS_SYS_PAIR(madvise),
WS_SYS_PAIR(mmap),
WS_SYS_PAIR(mprotect),
WS_SYS_PAIR(mremap),
WS_SYS_PAIR(munmap),
WS_SYS_PAIR(read),
WS_SYS_PAIR(recvfrom),
WS_SYS_PAIR(recvmsg),
WS_SYS_PAIR(rseq),
WS_SYS_PAIR(sendmsg),
WS_SYS_PAIR(shutdown),
WS_SYS_PAIR(timerfd_settime),
};
for( const auto& [sys_value, sys_name] : whitelist )
if( int rc = seccomp_rule_add(ctx.get(), SCMP_ACT_ALLOW, sys_value, 0) )
throw SetupSeccompError(RuleAddErrorString(sys_name, sys_value, rc));
// glibc v2.37: `free` uses the `openat` syscall to open `/proc/sys/vm/overcommit_memory`.
// Failing with EACCES will make `free` behave as if overcommit_memory is enabled,
// which is the default in most systems.
// Note: Comparing strings in seccomp is considered insecure because of TOCTOU race
// conditions.
if( int rc = seccomp_rule_add(ctx.get(), SCMP_ACT_ERRNO(EACCES), SCMP_SYS(openat), 0) )
throw SetupSeccompError(
ErrorString("seccomp_rule_add SCMP_ACT_ERRNO(EACCES) failed for openat", rc));
// Allow ioctl only with flag FIONBIO, i.e. `ioctl(any, FIONBIO, any)`.
if( int rc = seccomp_rule_add(ctx.get(),
SCMP_ACT_ALLOW,
SCMP_SYS(ioctl),
1,
SCMP_A1_64(SCMP_CMP_EQ,
static_cast<scmp_datum_t>(FIONBIO))) )
throw SetupSeccompError(ErrorString("seccomp_rule_add allow failed for ioctl with FIONBIO", rc));
if( int rc = seccomp_load(ctx.get()) )
throw SetupSeccompError(ErrorString("seccomp_load failed", rc));
}
} // namespace ws