summaryrefslogtreecommitdiff
path: root/examples/unschroot.py
blob: 88c105f74ad368f9ec60f50bad1bb8699ff523f5 (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
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
#!/usr/bin/python3
# Copyright 2024 Helmut Grohne <helmut@subdivi.de>
# SPDX-License-Identifier: GPL-3

"""Emulate schroot using namespaces sufficiently well that sbuild can deal with
it but not any better. It assumes that ~/.cache/sbuild contains tars suitable
for sbuild --chroot-mode=unshare. Additionally, those tars are expected to
contain the non-essential passwd package. The actual sessions are stored in
~/.cache/unschroot. For using it with sbuild, your sbuildrc should contain:

    $chroot_mode = "schroot";
    $schroot = "/path/to/unschroot";
"""


import argparse
import functools
import grp
import itertools
import os
import pathlib
import pwd
import shutil
import signal
import socket
import sys
import tempfile
import typing

if __file__.split("/")[-2:-1] == ["examples"]:
    sys.path.insert(0, "/".join(__file__.split("/")[:-2]))

import linuxnamespaces
import linuxnamespaces.tarutils


class TarFile(
    linuxnamespaces.tarutils.ZstdTarFile, linuxnamespaces.tarutils.XAttrTarFile
):
    pass


class Chroot:
    # Ignore $HOME as sbuild sets to something invalid
    home = pathlib.Path(pwd.getpwuid(os.getuid()).pw_dir)
    cache_sbuild = home / ".cache/sbuild"
    cache_unschroot = home / ".cache/unschroot"

    def __init__(self, path: pathlib.Path, aliases: set[str] | None = None):
        self.path = path
        self.aliases = set() if aliases is None else aliases

    @functools.cached_property
    def namespace(self) -> str:
        if self.path.is_file():
            return "Chroot"
        if self.path.is_dir():
            return "Session"
        raise ValueError("invalid chroot object")

    @functools.cached_property
    def name(self) -> str:
        suffix = "-sbuild" if self.namespace == "Chroot" else ""
        return self.path.name.split(".", 1)[0] + suffix

    def infostr(self) -> str:
        lines = [
            f"--- {self.namespace} ---",
            f"Name {self.name}",
        ]
        if self.namespace == "Chroot":
            lines.extend(["Type file", f"File {self.path}"])
        if self.namespace == "Session":
            lines.extend(
                [
                    f"Location {self.path}",
                    "Session Purged true",
                    "Type unshare",
                ]
            )
        lines.append("Aliases " + " ".join(sorted(self.aliases)))
        return "".join(map("%s\n".__mod__, lines))

    @classmethod
    def searchchroot(cls, name: str) -> "Chroot":
        name = name.removeprefix("chroot:")
        name = name.removesuffix("-sbuild")
        for path in cls.cache_sbuild.iterdir():
            if path.name.startswith(name + ".t"):
                return cls(path)
        raise KeyError(name)

    @classmethod
    def searchsession(cls, name: str) -> "Chroot":
        name = name.removeprefix("session:")
        path = cls.cache_unschroot / name
        if not path.is_dir():
            raise KeyError(name)
        return cls(path)

    @classmethod
    def newsession(cls) -> "Chroot":
        cls.cache_unschroot.mkdir(parents=True, exist_ok=True)
        return Chroot(
            pathlib.Path(
                tempfile.mkdtemp(prefix="chroot", dir=cls.cache_unschroot)
            ),
        )

    @classmethod
    def scan_sbuild(cls) -> typing.Iterator["Chroot"]:
        if cls.cache_sbuild.is_dir():
            chroots = []
            aliases: dict[str, set[str]] = {}
            for path in cls.cache_sbuild.iterdir():
                if path.is_symlink():
                    alias = path.name.split(".", 1)[0] + "-sbuild"
                    aliases.setdefault(str(path.readlink()), set()).add(alias)
                elif path.is_file():
                    chroots.append(path)
            for path in chroots:
                yield cls(path, aliases.get(path.name, set()))

    @classmethod
    def scan_unschroot(cls) -> typing.Iterator["Chroot"]:
        if cls.cache_unschroot.is_dir():
            yield from map(cls, cls.cache_unschroot.iterdir())


def do_info(args: argparse.Namespace) -> None:
    """Show information about selected chroots"""
    chroots: typing.Iterable[Chroot]
    if args.chroot:
        try:
            chroots = [Chroot.searchchroot(args.chroot)]
        except KeyError:
            chroots = [Chroot.searchsession(args.chroot)]
    else:
        chroots = itertools.chain(
            Chroot.scan_sbuild(), Chroot.scan_unschroot()
        )
    sys.stdout.write("\n".join(chroot.infostr() for chroot in chroots))


def do_begin_session(args: argparse.Namespace) -> None:
    """Begin a session; returns the session ID"""
    source = Chroot.searchchroot(args.chroot)
    session = Chroot.newsession()
    uidmap = linuxnamespaces.IDAllocation.loadsubid("uid").allocatemap(65536)
    gidmap = linuxnamespaces.IDAllocation.loadsubid("gid").allocatemap(65536)
    mainsock, childsock = socket.socketpair()
    with TarFile.open(source.path, "r:*") as tarf:
        pid = os.fork()
        if pid == 0:
            mainsock.close()
            os.chdir(session.path)
            linuxnamespaces.unshare(
                linuxnamespaces.CloneFlags.NEWUSER
                | linuxnamespaces.CloneFlags.NEWNS,
            )
            childsock.send(b"\0")
            childsock.recv(1)
            childsock.close()
            os.setgid(0)
            os.setuid(0)
            for tmem in tarf:
                if not tmem.name.startswith(("dev/", "./dev/")):
                    tarf.extract(tmem, numeric_owner=True)
            sys.exit(0)
    childsock.close()
    mainsock.recv(1)
    linuxnamespaces.newidmaps(pid, [uidmap], [gidmap])
    linuxnamespaces.unshare_user_idmap(
        [uidmap, linuxnamespaces.IDMapping(65536, os.getuid(), 1)],
        [gidmap, linuxnamespaces.IDMapping(65536, os.getgid(), 1)],
    )
    os.chown(session.path, 0, 0)
    session.path.chmod(0o755)
    mainsock.send(b"\0")
    mainsock.close()
    _, ret = os.waitpid(pid, 0)
    print(session.name)
    sys.exit(ret)


def do_run_session(args: argparse.Namespace) -> None:
    """Run an existing session"""
    session = Chroot.searchsession(args.chroot)
    uidmap = linuxnamespaces.IDAllocation.loadsubid("uid").allocatemap(65536)
    gidmap = linuxnamespaces.IDAllocation.loadsubid("gid").allocatemap(65536)
    mainsock, childsock = socket.socketpair()
    pid = os.fork()
    if pid == 0:
        mainsock.close()
        os.chdir(session.path)
        ns = (
            linuxnamespaces.CloneFlags.NEWUSER
            | linuxnamespaces.CloneFlags.NEWNS
            | linuxnamespaces.CloneFlags.NEWPID
        )
        linuxnamespaces.unshare(ns)
        childsock.send(b"\0")
        childsock.recv(1)
        if os.fork() != 0:
            sys.exit(0)
        assert os.getpid() == 1
        with linuxnamespaces.FileDescriptor(os.pidfd_open(1, 0)) as pidfd:
            socket.send_fds(childsock, [b"\0"], [pidfd])
        os.setgid(0)
        os.setuid(0)
        linuxnamespaces.bind_mount(".", "/mnt", recursive=True)
        os.chdir("/mnt")
        linuxnamespaces.populate_sys("/", ".")
        linuxnamespaces.populate_proc("/", ".", ns)
        linuxnamespaces.populate_dev("/", ".")
        linuxnamespaces.pivot_root(".", ".")
        linuxnamespaces.umount(".", linuxnamespaces.UmountFlags.DETACH)
        os.chdir(args.directory or "/")
        if args.user.isdigit():
            spw = pwd.getpwuid(int(args.user))
        else:
            spw = pwd.getpwnam(args.user)
        supplementary = [
            sgr.gr_gid for sgr in grp.getgrall() if spw.pw_name in sgr.gr_mem
        ]
        os.setgroups(supplementary)
        os.setgid(spw.pw_gid)
        os.setuid(spw.pw_uid)
        if not args.command:
            args.command.append("bash")
        linuxnamespaces.prctl_set_pdeathsig(signal.SIGTERM)
        if "PATH" not in os.environ:
            if spw.pw_uid == 0:
                os.environ["PATH"] = "/usr/sbin:/sbin:/usr/bin:/bin"
            else:
                os.environ["PATH"] = "/usr/bin:/bin"
        os.execvp(args.command[0], args.command)
    childsock.close()
    mainsock.recv(1)
    linuxnamespaces.newidmaps(pid, [uidmap], [gidmap])
    linuxnamespaces.prctl_set_child_subreaper(True)
    mainsock.send(b"\0")
    _data, fds, _flags, _address = socket.recv_fds(mainsock, 1, 1)
    pidfd = fds[0]
    os.waitpid(pid, 0)
    linuxnamespaces.prctl_set_child_subreaper(False)
    sys.exit(os.waitid(os.P_PIDFD, pidfd, os.WEXITED).si_status)


def do_end_session(args: argparse.Namespace) -> None:
    """End an existing session"""
    session = Chroot.searchsession(args.chroot)
    uidmap = linuxnamespaces.IDAllocation.loadsubid("uid").allocatemap(65536)
    gidmap = linuxnamespaces.IDAllocation.loadsubid("gid").allocatemap(65536)
    linuxnamespaces.unshare_user_idmap(
        [uidmap, linuxnamespaces.IDMapping(65536, os.getuid(), 1)],
        [gidmap, linuxnamespaces.IDMapping(65536, os.getgid(), 1)],
    )
    shutil.rmtree(session.path)


def main() -> None:
    parser = argparse.ArgumentParser()
    group = parser.add_mutually_exclusive_group(required=True)
    for comm in ("info", "begin-session", "run-session", "end-session"):
        func = globals()["do_" + comm.replace("-", "_")]
        group.add_argument(
            f"-{comm[0]}",
            f"--{comm}",
            dest="subcommand",
            action="store_const",
            const=func,
            help=func.__doc__,
        )
    parser.add_argument(
        "-c",
        "--chroot",
        dest="chroot",
        action="store",
        help="Use specified chroot",
    )
    parser.add_argument("-d", "--directory", action="store")
    parser.add_argument("-p", "--preserve-environment", action="store_true")
    parser.add_argument("-q", "--quiet", action="store_true")
    parser.add_argument("-u", "--user", action="store", default=os.getlogin())
    parser.add_argument("command", nargs="*")
    args = parser.parse_args()
    assert args.subcommand is not None
    args.subcommand(args)


if __name__ == "__main__":
    main()