run.rs 2.2 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667
  1. use std::{os::unix::process::CommandExt, process::Command};
  2. use anyhow::Context as _;
  3. use clap::Parser;
  4. use crate::build_ebpf::{build_ebpf, Architecture, Options as BuildOptions};
  5. #[derive(Debug, Parser)]
  6. pub struct Options {
  7. /// Set the endianness of the BPF target
  8. #[clap(default_value = "bpfel-unknown-none", long)]
  9. pub bpf_target: Architecture,
  10. /// Build and run the release target
  11. #[clap(long)]
  12. pub release: bool,
  13. /// The command used to wrap your application
  14. #[clap(short, long, default_value = "sudo -E")] // TODO: Portable solution
  15. pub runner: String,
  16. /// Arguments to pass to your application
  17. #[clap(name = "args", last = true)]
  18. pub run_args: Vec<String>,
  19. }
  20. /// Build the project
  21. fn build(opts: &Options) -> Result<(), anyhow::Error> {
  22. let mut args = vec!["build"];
  23. if opts.release {
  24. args.push("--release")
  25. }
  26. let status = Command::new("cargo")
  27. .args(&args)
  28. .status()
  29. .expect("failed to build userspace");
  30. assert!(status.success());
  31. Ok(())
  32. }
  33. /// Build and run the project
  34. pub fn run(opts: Options) -> Result<(), anyhow::Error> {
  35. // build our ebpf program followed by our application
  36. build_ebpf(BuildOptions {
  37. target: opts.bpf_target,
  38. release: opts.release,
  39. })
  40. .context("Error while building eBPF program")?;
  41. build(&opts).context("Error while building userspace application")?;
  42. // profile we are building (release or debug)
  43. let profile = if opts.release { "release" } else { "debug" };
  44. let bin_path = format!("target/{}/responder", profile);
  45. // arguments to pass to the application
  46. let mut run_args: Vec<_> = opts.run_args.iter().map(String::as_str).collect();
  47. // configure args
  48. let mut args: Vec<_> = opts.runner.trim().split_terminator(' ').collect();
  49. args.push(bin_path.as_str());
  50. args.append(&mut run_args);
  51. // spawn the command
  52. let err = Command::new(args.get(0).expect("No first argument"))
  53. .args(args.iter().skip(1))
  54. .exec();
  55. // we shouldn't get here unless the command failed to spawn
  56. Err(anyhow::Error::from(err).context(format!("Failed to run `{}`", args.join(" "))))
  57. }