仅在 Alpine 容器中:运行setuid二进制文件以启动另一个可执行文件(execve(2))时,kernel [1] BusyBox似乎放弃了setuid获得的特权。我认为这可能是出于安全考虑而设计的。

问题:我想了解为什么会这样,原因是什么?

我正在研究一个用kamikaze编写的名为 rust 的setuid赛跑者。 kamikaze unlink(2) 本身非常简单的二进制文件,然后使用 fork(2) execve(2) 启动新进程。

主要组件有:

src/main.rs [a47dedc]:实现unlink(2)并生成进程。

use std::env;

use std::fs;

use std::process::{Command, exit};

fn usage() {
    println!("usage: kamikaze <command> <arguments>");
    exit(1);
}

fn main() {

    // Kill myself
    fs::remove_file(
        env::current_exe().expect("failed to get path to executable")
    ).expect("kamikaze failed");

    let mut args: Vec<String> = env::args().collect();
    match args.len() {
        0 => usage(),
        1 => usage(),
        _ => {
            args.remove(0);
            let mut child = Command::new(args.remove(0))
                .args(&args)
                .spawn()
                .expect("failed to execute process");
            exit(
                child
                    .wait()
                    .expect("wait failed")
                        .code().unwrap()
            );
        },
    }

}

install.sh [a47dedc]:一个简单的安装程序,可以下载kamikaze,将所有权更改为root并设置setuid位。

#!/usr/bin/env sh
set -euo pipefail
REPO="Enteee/kamikaze"
INSTALL="install -m 755 -o root kamikaze-download kamikaze && chmod u+s kamikaze"

curl -s "https://api.github.com/repos/${REPO}/releases/latest" \
   | grep "browser_download_url" \
   | cut -d '"' -f 4 \
   | xargs -n1 curl -s -L --output kamikaze-download

trap 'rm kamikaze-download' EXIT

if [[ $(id -u) -ne 0 ]]; then
  sudo sh -c "${INSTALL}"
else
  eval "${INSTALL}"
fi

当我在容器外运行kamikaze [2]时:

$ curl https://raw.githubusercontent.com/Enteee/kamikaze/master/install.sh | sh
$ ./kamikaze ps -f
UID        PID  PPID  C STIME TTY          TIME CMD
root      3223  9587  0 08:17 pts/0    00:00:00 ./kamikaze ps -f
root      3224  3223  0 08:17 pts/0    00:00:00 ps -f

我得到了预期的行为。子进程(PID=3224)作为root运行。另一方面,在容器内[2]:

$ docker build -t kamikaze - <<EOF
  FROM alpine
  RUN set -exuo pipefail \
    && apk add curl \
    && curl https://raw.githubusercontent.com/Enteee/kamikaze/master/install.sh | sh

  USER nobody
  CMD ["/kamikaze", "ps"]
EOF
$ docker run kamikaze
PID   USER     TIME  COMMAND
    1 root      0:00 /kamikaze ps
    6 nobody    0:00 ps
ps作为nobody运行。

[1]我首先认为这是因为docker和Linux内核实现了某种安全机制。但是深入研究Docker Security NO_NEW_PRIVILEGES seccomp(2) 之后,我终于意识到BusyBox只是在放弃特权。

[2] kamikaze [1.0.0]修复并更改了此行为。因此,此示例不再起作用。为了重现该示例,请使用 kamikaze [0.0.0]版本。

最佳答案

在Alpine中实现ps命令的BusyBox通过将有效用户ID设置为实际用户ID来放弃setuid获得的特权。

libbb/appletlib.c [b097a84]:

    } else if (APPLET_SUID(applet_no) == BB_SUID_DROP) {
        /*
         * Drop all privileges.
         *
         * Don't check for errors: in normal use, they are impossible,
         * and in special cases, exiting is harmful. Example:
         * 'unshare --user' when user's shell is also from busybox.
         *
         * 'unshare --user' creates a new user namespace without any
         * uid mappings. Thus, busybox binary is setuid nobody:nogroup
         * within the namespace, as that is the only user. However,
         * since no uids are mapped, calls to setgid/setuid
         * fail (even though they would do nothing).
         */
        setgid(rgid);
        setuid(ruid);
    }

procps/ps.c [b097a84]:定义BB_SUID_DROP
//                 APPLET_NOEXEC:name    main location    suid_type     help
//applet:IF_PS(    APPLET_NOEXEC(ps,     ps,  BB_DIR_BIN, BB_SUID_DROP, ps))
//applet:IF_MINIPS(APPLET_NOEXEC(minips, ps,  BB_DIR_BIN, BB_SUID_DROP, ps))

解决方法很简单。 kamikaze只需要在execve(2)之前将实际用户ID设置为有效用户ID。

src/main.rs [f4c5501]:
extern crate exec;
extern crate users;

use std::env;

use std::fs;

use std::process::exit;

use users::{get_effective_uid, get_effective_gid};
use users::switch::{set_current_uid, set_current_gid};

fn usage() {
    println!("usage: kamikaze <command> <arguments>");
}

fn main() {

    // Kill myself
    fs::remove_file(
        env::current_exe().expect("failed to get path to executable")
    ).expect("kamikaze failed");

    set_current_uid(
        get_effective_uid()
    ).expect("failed setting current uid");

    set_current_gid(
        get_effective_gid()
    ).expect("failed setting current gid");

    let mut args: Vec<String> = env::args().collect();
    match args.len() {
        0 => usage(),
        1 => usage(),
        _ => {
            args.remove(0);
            let err = exec::Command::new(args.remove(0))
                .args(&args)
                .exec();
            println!("Error: {}", err);
        },
    }
    // Should never get here
    exit(1);
}

使用新发布的 kamikaze [1.0.0] ,我们现在得到:

$ docker build -t kamikaze - <<EOF
  FROM alpine
  RUN set -exuo pipefail \
    && apk add curl \
    && curl https://raw.githubusercontent.com/Enteee/kamikaze/master/install.sh | sh

  USER nobody
  CMD ["/kamikaze", "ps"]
EOF
$ docker run kamikaze
PID   USER     TIME  COMMAND
    1 root      0:00 ps

08-26 23:11