lib.rs 5.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148
  1. use std::{
  2. env, fs,
  3. io::{BufRead as _, BufReader},
  4. path::PathBuf,
  5. process::{Child, Command, Stdio},
  6. };
  7. use anyhow::{anyhow, Context as _, Result};
  8. // Re-export `cargo_metadata` to having to encode the version downstream and risk mismatches.
  9. pub use cargo_metadata;
  10. use cargo_metadata::{Artifact, CompilerMessage, Message, Package, Target};
  11. /// Build binary artifacts produced by `packages`.
  12. ///
  13. /// This would be better expressed as one or more [artifact-dependencies][bindeps] but issues such
  14. /// as:
  15. ///
  16. /// * <https://github.com/rust-lang/cargo/issues/12374>
  17. /// * <https://github.com/rust-lang/cargo/issues/12375>
  18. /// * <https://github.com/rust-lang/cargo/issues/12385>
  19. ///
  20. /// prevent their use for the time being.
  21. ///
  22. /// [bindeps]: https://doc.rust-lang.org/nightly/cargo/reference/unstable.html?highlight=feature#artifact-dependencies
  23. pub fn build_ebpf(packages: impl IntoIterator<Item = Package>) -> Result<()> {
  24. let out_dir = env::var_os("OUT_DIR").ok_or(anyhow!("OUT_DIR not set"))?;
  25. let out_dir = PathBuf::from(out_dir);
  26. let endian =
  27. env::var_os("CARGO_CFG_TARGET_ENDIAN").ok_or(anyhow!("CARGO_CFG_TARGET_ENDIAN not set"))?;
  28. let target = if endian == "big" {
  29. "bpfeb"
  30. } else if endian == "little" {
  31. "bpfel"
  32. } else {
  33. return Err(anyhow!("unsupported endian={endian:?}"));
  34. };
  35. let arch =
  36. env::var_os("CARGO_CFG_TARGET_ARCH").ok_or(anyhow!("CARGO_CFG_TARGET_ARCH not set"))?;
  37. let target = format!("{target}-unknown-none");
  38. for Package {
  39. name,
  40. manifest_path,
  41. ..
  42. } in packages
  43. {
  44. let dir = manifest_path
  45. .parent()
  46. .ok_or(anyhow!("no parent for {manifest_path}"))?;
  47. // We have a build-dependency on `name`, so cargo will automatically rebuild us if `name`'s
  48. // *library* target or any of its dependencies change. Since we depend on `name`'s *binary*
  49. // targets, that only gets us half of the way. This stanza ensures cargo will rebuild us on
  50. // changes to the binaries too, which gets us the rest of the way.
  51. println!("cargo:rerun-if-changed={dir}");
  52. let mut cmd = Command::new("cargo");
  53. cmd.args([
  54. "+nightly",
  55. "build",
  56. "--package",
  57. &name,
  58. "-Z",
  59. "build-std=core",
  60. "--bins",
  61. "--message-format=json",
  62. "--release",
  63. "--target",
  64. &target,
  65. ]);
  66. cmd.env("CARGO_CFG_BPF_TARGET_ARCH", &arch);
  67. // Workaround to make sure that the correct toolchain is used.
  68. for key in ["RUSTC", "RUSTC_WORKSPACE_WRAPPER"] {
  69. cmd.env_remove(key);
  70. }
  71. // Workaround for https://github.com/rust-lang/cargo/issues/6412 where cargo flocks itself.
  72. let target_dir = out_dir.join(name);
  73. cmd.arg("--target-dir").arg(&target_dir);
  74. let mut child = cmd
  75. .stdout(Stdio::piped())
  76. .stderr(Stdio::piped())
  77. .spawn()
  78. .with_context(|| format!("failed to spawn {cmd:?}"))?;
  79. let Child { stdout, stderr, .. } = &mut child;
  80. // Trampoline stdout to cargo warnings.
  81. let stderr = stderr.take().expect("stderr");
  82. let stderr = BufReader::new(stderr);
  83. let stderr = std::thread::spawn(move || {
  84. for line in stderr.lines() {
  85. let line = line.expect("read line");
  86. println!("cargo:warning={line}");
  87. }
  88. });
  89. let stdout = stdout.take().expect("stdout");
  90. let stdout = BufReader::new(stdout);
  91. let mut executables = Vec::new();
  92. for message in Message::parse_stream(stdout) {
  93. #[allow(clippy::collapsible_match)]
  94. match message.expect("valid JSON") {
  95. Message::CompilerArtifact(Artifact {
  96. executable,
  97. target: Target { name, .. },
  98. ..
  99. }) => {
  100. if let Some(executable) = executable {
  101. executables.push((name, executable.into_std_path_buf()));
  102. }
  103. }
  104. Message::CompilerMessage(CompilerMessage { message, .. }) => {
  105. for line in message.rendered.unwrap_or_default().split('\n') {
  106. println!("cargo:warning={line}");
  107. }
  108. }
  109. Message::TextLine(line) => {
  110. println!("cargo:warning={line}");
  111. }
  112. _ => {}
  113. }
  114. }
  115. let status = child
  116. .wait()
  117. .with_context(|| format!("failed to wait for {cmd:?}"))?;
  118. if !status.success() {
  119. return Err(anyhow!("{cmd:?} failed: {status:?}"));
  120. }
  121. match stderr.join().map_err(std::panic::resume_unwind) {
  122. Ok(()) => {}
  123. }
  124. for (name, binary) in executables {
  125. let dst = out_dir.join(name);
  126. let _: u64 = fs::copy(&binary, &dst)
  127. .with_context(|| format!("failed to copy {binary:?} to {dst:?}"))?;
  128. }
  129. }
  130. Ok(())
  131. }