123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534 |
- use std::{
- env::consts::{ARCH, OS},
- ffi::OsString,
- fmt::Write as _,
- fs::{copy, create_dir_all, metadata, File},
- io::{BufRead as _, BufReader, ErrorKind, Write as _},
- path::{Path, PathBuf},
- process::{Child, ChildStdin, Command, Output, Stdio},
- sync::{Arc, Mutex},
- thread,
- };
- use anyhow::{anyhow, bail, Context as _, Result};
- use cargo_metadata::{Artifact, CompilerMessage, Message, Target};
- use clap::Parser;
- use xtask::{exec, Errors, AYA_BUILD_INTEGRATION_BPF};
- #[derive(Parser)]
- enum Environment {
-
- Local {
-
- #[clap(short, long, default_value = "sudo -E")]
- runner: String,
- },
-
- VM {
-
-
-
-
-
-
-
-
-
-
-
-
- #[clap(required = true)]
- kernel_image: Vec<PathBuf>,
- },
- }
- #[derive(Parser)]
- pub struct Options {
- #[clap(subcommand)]
- environment: Environment,
-
- #[clap(global = true, last = true)]
- run_args: Vec<OsString>,
- }
- pub fn build<F>(target: Option<&str>, f: F) -> Result<Vec<(String, PathBuf)>>
- where
- F: FnOnce(&mut Command) -> &mut Command,
- {
-
- let mut cmd = Command::new("cargo");
- cmd.args(["build", "--message-format=json"]);
- if let Some(target) = target {
- let config = format!("target.{target}.linker = \"rust-lld\"");
- cmd.args(["--target", target, "--config", &config]);
- }
- f(&mut cmd);
- let mut child = cmd
- .stdout(Stdio::piped())
- .spawn()
- .with_context(|| format!("failed to spawn {cmd:?}"))?;
- let Child { stdout, .. } = &mut child;
- let stdout = stdout.take().unwrap();
- let stdout = BufReader::new(stdout);
- let mut executables = Vec::new();
- for message in Message::parse_stream(stdout) {
- #[allow(clippy::collapsible_match)]
- match message.context("valid JSON")? {
- Message::CompilerArtifact(Artifact {
- executable,
- target: Target { name, .. },
- ..
- }) => {
- if let Some(executable) = executable {
- executables.push((name, executable.into()));
- }
- }
- Message::CompilerMessage(CompilerMessage { message, .. }) => {
- println!("{message}");
- }
- Message::TextLine(line) => {
- println!("{line}");
- }
- _ => {}
- }
- }
- let status = child
- .wait()
- .with_context(|| format!("failed to wait for {cmd:?}"))?;
- if status.code() != Some(0) {
- bail!("{cmd:?} failed: {status:?}")
- }
- Ok(executables)
- }
- pub fn run(opts: Options) -> Result<()> {
- let Options {
- environment,
- run_args,
- } = opts;
- type Binary = (String, PathBuf);
- fn binaries(target: Option<&str>) -> Result<Vec<(&str, Vec<Binary>)>> {
- ["dev", "release"]
- .into_iter()
- .map(|profile| {
- let binaries = build(target, |cmd| {
- cmd.env(AYA_BUILD_INTEGRATION_BPF, "true").args([
- "--package",
- "integration-test",
- "--tests",
- "--profile",
- profile,
- ])
- })?;
- anyhow::Ok((profile, binaries))
- })
- .collect()
- }
-
-
- let default_args = [OsString::from("--test-threads=1")];
- let run_args = default_args.iter().chain(run_args.iter());
- match environment {
- Environment::Local { runner } => {
- let mut args = runner.trim().split_terminator(' ');
- let runner = args.next().ok_or(anyhow!("no first argument"))?;
- let args = args.collect::<Vec<_>>();
- let binaries = binaries(None)?;
- let mut failures = String::new();
- for (profile, binaries) in binaries {
- for (name, binary) in binaries {
- let mut cmd = Command::new(runner);
- let cmd = cmd.args(args.iter()).arg(binary).args(run_args.clone());
- println!("{profile}:{name} running {cmd:?}");
- let status = cmd
- .status()
- .with_context(|| format!("failed to run {cmd:?}"))?;
- if status.code() != Some(0) {
- writeln!(&mut failures, "{profile}:{name} failed: {status:?}")
- .context("String write failed")?
- }
- }
- }
- if failures.is_empty() {
- Ok(())
- } else {
- Err(anyhow!("failures:\n{}", failures))
- }
- }
- Environment::VM { kernel_image } => {
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- let cache_dir = Path::new("test/.tmp");
- create_dir_all(cache_dir).context("failed to create cache dir")?;
- let gen_init_cpio = cache_dir.join("gen_init_cpio");
- if !gen_init_cpio
- .try_exists()
- .context("failed to check existence of gen_init_cpio")?
- {
- let mut curl = Command::new("curl");
- curl.args([
- "-sfSL",
- "https://raw.githubusercontent.com/torvalds/linux/master/usr/gen_init_cpio.c",
- ]);
- let mut curl_child = curl
- .stdout(Stdio::piped())
- .spawn()
- .with_context(|| format!("failed to spawn {curl:?}"))?;
- let Child { stdout, .. } = &mut curl_child;
- let curl_stdout = stdout.take().unwrap();
- let mut clang = Command::new("clang");
- let clang = exec(
- clang
- .args(["-g", "-O2", "-x", "c", "-", "-o"])
- .arg(&gen_init_cpio)
- .stdin(curl_stdout),
- );
- let output = curl_child
- .wait_with_output()
- .with_context(|| format!("failed to wait for {curl:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{curl:?} failed: {output:?}")
- }
-
-
- clang?;
- }
- let mut errors = Vec::new();
- for kernel_image in kernel_image {
-
- let mut cmd = Command::new("file");
- let output = cmd
- .arg("--brief")
- .arg(&kernel_image)
- .output()
- .with_context(|| format!("failed to run {cmd:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{cmd:?} failed: {output:?}")
- }
- let Output { stdout, .. } = output;
-
-
-
-
-
- let stdout = String::from_utf8(stdout)
- .with_context(|| format!("invalid UTF-8 in {cmd:?} stdout"))?;
- let (_, stdout) = stdout
- .split_once("Linux kernel")
- .ok_or_else(|| anyhow!("failed to parse {cmd:?} stdout: {stdout}"))?;
- let (guest_arch, _) = stdout
- .split_once("boot executable")
- .ok_or_else(|| anyhow!("failed to parse {cmd:?} stdout: {stdout}"))?;
- let guest_arch = guest_arch.trim();
- let (guest_arch, machine, cpu) = match guest_arch {
- "ARM64" => ("aarch64", Some("virt"), Some("cortex-a57")),
- "x86" => ("x86_64", Some("q35"), Some("qemu64")),
- guest_arch => (guest_arch, None, None),
- };
- let target = format!("{guest_arch}-unknown-linux-musl");
-
- let init = build(Some(&target), |cmd| {
- cmd.args(["--package", "init", "--profile", "release"])
- })
- .context("building init program failed")?;
- let init = match &*init {
- [(name, init)] => {
- if name != "init" {
- bail!("expected init program to be named init, found {name}")
- }
- init
- }
- init => bail!("expected exactly one init program, found {init:?}"),
- };
- let binaries = binaries(Some(&target))?;
- let tmp_dir = tempfile::tempdir().context("tempdir failed")?;
- let initrd_image = tmp_dir.path().join("qemu-initramfs.img");
- let initrd_image_file = File::create(&initrd_image).with_context(|| {
- format!("failed to create {} for writing", initrd_image.display())
- })?;
- let mut gen_init_cpio = Command::new(&gen_init_cpio);
- let mut gen_init_cpio_child = gen_init_cpio
- .arg("-")
- .stdin(Stdio::piped())
- .stdout(initrd_image_file)
- .spawn()
- .with_context(|| format!("failed to spawn {gen_init_cpio:?}"))?;
- let Child { stdin, .. } = &mut gen_init_cpio_child;
- let mut stdin = stdin.take().unwrap();
- use std::os::unix::ffi::OsStrExt as _;
-
-
-
-
-
-
- for bytes in [
- "file /init ".as_bytes(),
- init.as_os_str().as_bytes(),
- " 0755 0 0\n".as_bytes(),
- "dir /bin 0755 0 0\n".as_bytes(),
- ] {
- stdin.write_all(bytes).expect("write");
- }
- for (profile, binaries) in binaries {
- for (name, binary) in binaries {
- let name = format!("{}-{}", profile, name);
- let path = tmp_dir.path().join(&name);
- copy(&binary, &path).with_context(|| {
- format!("copy({}, {}) failed", binary.display(), path.display())
- })?;
- for bytes in [
- "file /bin/".as_bytes(),
- name.as_bytes(),
- " ".as_bytes(),
- path.as_os_str().as_bytes(),
- " 0755 0 0\n".as_bytes(),
- ] {
- stdin.write_all(bytes).expect("write");
- }
- }
- }
-
- drop(stdin);
- let output = gen_init_cpio_child
- .wait_with_output()
- .with_context(|| format!("failed to wait for {gen_init_cpio:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{gen_init_cpio:?} failed: {output:?}")
- }
- let mut qemu = Command::new(format!("qemu-system-{guest_arch}"));
- if let Some(machine) = machine {
- qemu.args(["-machine", machine]);
- }
- if guest_arch == ARCH {
- match OS {
- "linux" => match metadata("/dev/kvm") {
- Ok(metadata) => {
- use std::os::unix::fs::FileTypeExt as _;
- if metadata.file_type().is_char_device() {
- qemu.args(["-accel", "kvm"]);
- }
- }
- Err(error) => {
- if error.kind() != ErrorKind::NotFound {
- Err(error).context("failed to check existence of /dev/kvm")?;
- }
- }
- },
- "macos" => {
- qemu.args(["-accel", "hvf"]);
- }
- os => bail!("unsupported OS: {os}"),
- }
- } else if let Some(cpu) = cpu {
- qemu.args(["-cpu", cpu]);
- }
- let console = OsString::from("ttyS0");
- let mut kernel_args = std::iter::once(("console", &console))
- .chain(run_args.clone().map(|run_arg| ("init.arg", run_arg)))
- .enumerate()
- .fold(OsString::new(), |mut acc, (i, (k, v))| {
- if i != 0 {
- acc.push(" ");
- }
- acc.push(k);
- acc.push("=");
- acc.push(v);
- acc
- });
-
-
-
-
-
- kernel_args.push(" noapic");
- qemu.args(["-no-reboot", "-nographic", "-m", "512M", "-smp", "2"])
- .arg("-append")
- .arg(kernel_args)
- .arg("-kernel")
- .arg(&kernel_image)
- .arg("-initrd")
- .arg(&initrd_image);
- if guest_arch == "aarch64" {
- match OS {
- "linux" => {
- let mut cmd = Command::new("locate");
- let output = cmd
- .arg("QEMU_EFI.fd")
- .output()
- .with_context(|| format!("failed to run {cmd:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{qemu:?} failed: {output:?}")
- }
- let Output { stdout, .. } = output;
- let bios = String::from_utf8(stdout)
- .with_context(|| format!("failed to parse output of {cmd:?}"))?;
- qemu.args(["-bios", bios.trim()]);
- }
- "macos" => {
- let mut cmd = Command::new("brew");
- let output = cmd
- .args(["list", "qemu", "-1", "-v"])
- .output()
- .with_context(|| format!("failed to run {cmd:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{qemu:?} failed: {output:?}")
- }
- let Output { stdout, .. } = output;
- let output = String::from_utf8(stdout)
- .with_context(|| format!("failed to parse output of {cmd:?}"))?;
- const NAME: &str = "edk2-aarch64-code.fd";
- let bios = output.lines().find(|line| line.contains(NAME)).ok_or_else(
- || anyhow!("failed to find {NAME} in output of {cmd:?}: {output}"),
- )?;
- qemu.args(["-bios", bios.trim()]);
- }
- os => bail!("unsupported OS: {os}"),
- };
- }
- let mut qemu_child = qemu
- .stdin(Stdio::piped())
- .stdout(Stdio::piped())
- .stderr(Stdio::piped())
- .spawn()
- .with_context(|| format!("failed to spawn {qemu:?}"))?;
- let Child {
- stdin,
- stdout,
- stderr,
- ..
- } = &mut qemu_child;
- let stdin = stdin.take().unwrap();
- let stdin = Arc::new(Mutex::new(stdin));
- let stdout = stdout.take().unwrap();
- let stdout = BufReader::new(stdout);
- let stderr = stderr.take().unwrap();
- let stderr = BufReader::new(stderr);
- fn terminate_if_contains_kernel_panic(
- line: &str,
- stdin: &Arc<Mutex<ChildStdin>>,
- ) -> anyhow::Result<()> {
- if line.contains("end Kernel panic") {
- println!("kernel panic detected; terminating QEMU");
- let mut stdin = stdin.lock().unwrap();
- stdin
- .write_all(&[0x01, b'x'])
- .context("failed to write to stdin")?;
- println!("waiting for QEMU to terminate");
- }
- Ok(())
- }
- let stderr = {
- let stdin = stdin.clone();
- thread::Builder::new()
- .spawn(move || {
- for line in stderr.lines() {
- let line = line.context("failed to read line from stderr")?;
- eprintln!("{}", line);
-
- terminate_if_contains_kernel_panic(&line, &stdin)?;
- }
- anyhow::Ok(())
- })
- .unwrap()
- };
- let mut outcome = None;
- for line in stdout.lines() {
- let line = line.context("failed to read line from stdout")?;
- println!("{}", line);
-
- terminate_if_contains_kernel_panic(&line, &stdin)?;
-
-
- if let Some(line) = line.strip_prefix("init: ") {
- let previous = match line {
- "success" => outcome.replace(Ok(())),
- "failure" => outcome.replace(Err(())),
- line => bail!("unexpected init output: {}", line),
- };
- if let Some(previous) = previous {
- bail!("multiple exit status: previous={previous:?}, current={line}");
- }
- }
- }
- let output = qemu_child
- .wait_with_output()
- .with_context(|| format!("failed to wait for {qemu:?}"))?;
- let Output { status, .. } = &output;
- if status.code() != Some(0) {
- bail!("{qemu:?} failed: {output:?}")
- }
- stderr.join().unwrap()?;
- let outcome = outcome.ok_or(anyhow!("init did not exit"))?;
- match outcome {
- Ok(()) => {}
- Err(()) => {
- errors.push(anyhow!("VM binaries failed on {}", kernel_image.display()))
- }
- }
- }
- if errors.is_empty() {
- Ok(())
- } else {
- Err(Errors::new(errors).into())
- }
- }
- }
- }
|