123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146 |
- use std::{
- fmt::Write as _,
- io::BufReader,
- path::PathBuf,
- process::{Command, Stdio},
- };
- use anyhow::{Context as _, Result};
- use cargo_metadata::{Artifact, CompilerMessage, Message, Target};
- use clap::Parser;
- use crate::build_ebpf::{build_ebpf, Architecture, BuildEbpfOptions as BuildOptions};
- #[derive(Debug, Parser)]
- pub struct Options {
- /// Set the endianness of the BPF target
- #[clap(default_value = "bpfel-unknown-none", long)]
- pub bpf_target: Architecture,
- /// Build and run the release target
- #[clap(long)]
- pub release: bool,
- /// The command used to wrap your application
- #[clap(short, long, default_value = "sudo -E")]
- pub runner: String,
- /// libbpf directory
- #[clap(long, action)]
- pub libbpf_dir: PathBuf,
- /// Arguments to pass to your application
- #[clap(name = "args", last = true)]
- pub run_args: Vec<String>,
- }
- /// Build the project
- fn build(release: bool) -> Result<Vec<(PathBuf, PathBuf)>> {
- let mut cmd = Command::new("cargo");
- cmd.args([
- "build",
- "--tests",
- "--message-format=json",
- "--package=integration-test",
- ]);
- if release {
- cmd.arg("--release");
- }
- let mut cmd = cmd
- .stdout(Stdio::piped())
- .spawn()
- .with_context(|| format!("failed to spawn {cmd:?}"))?;
- let reader = BufReader::new(cmd.stdout.take().unwrap());
- let mut executables = Vec::new();
- let mut compiler_messages = String::new();
- for message in Message::parse_stream(reader) {
- #[allow(clippy::collapsible_match)]
- match message.context("valid JSON")? {
- Message::CompilerArtifact(Artifact {
- executable,
- target: Target { src_path, .. },
- ..
- }) => {
- if let Some(executable) = executable {
- executables.push((src_path.into(), executable.into()));
- }
- }
- Message::CompilerMessage(CompilerMessage { message, .. }) => {
- assert_eq!(writeln!(&mut compiler_messages, "{message}"), Ok(()));
- }
- _ => {}
- }
- }
- let status = cmd
- .wait()
- .with_context(|| format!("failed to wait for {cmd:?}"))?;
- match status.code() {
- Some(code) => match code {
- 0 => Ok(executables),
- code => Err(anyhow::anyhow!(
- "{cmd:?} exited with status code {code}:\n{compiler_messages}"
- )),
- },
- None => Err(anyhow::anyhow!("{cmd:?} terminated by signal")),
- }
- }
- /// Build and run the project
- pub fn run(opts: Options) -> Result<()> {
- let Options {
- bpf_target,
- release,
- runner,
- libbpf_dir,
- run_args,
- } = opts;
- // build our ebpf program followed by our application
- build_ebpf(BuildOptions {
- target: bpf_target,
- libbpf_dir,
- })
- .context("error while building eBPF program")?;
- let binaries = build(release).context("error while building userspace application")?;
- let mut args = runner.trim().split_terminator(' ');
- let runner = args.next().ok_or(anyhow::anyhow!("no first argument"))?;
- let args = args.collect::<Vec<_>>();
- let mut failures = String::new();
- for (src_path, binary) in binaries {
- let mut cmd = Command::new(runner);
- let cmd = cmd
- .args(args.iter())
- .arg(binary)
- .args(run_args.iter())
- .arg("--test-threads=1");
- println!("{} running {cmd:?}", src_path.display());
- let status = cmd
- .status()
- .with_context(|| format!("failed to run {cmd:?}"))?;
- match status.code() {
- Some(code) => match code {
- 0 => {}
- code => assert_eq!(
- writeln!(
- &mut failures,
- "{} exited with status code {code}",
- src_path.display()
- ),
- Ok(())
- ),
- },
- None => assert_eq!(
- writeln!(&mut failures, "{} terminated by signal", src_path.display()),
- Ok(())
- ),
- }
- }
- if failures.is_empty() {
- Ok(())
- } else {
- Err(anyhow::anyhow!("failures:\n{}", failures))
- }
- }
|