generate.rs 5.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208
  1. use std::{
  2. fs::{self, File},
  3. io::{self, Write},
  4. path::{Path, PathBuf},
  5. process::Command,
  6. str,
  7. };
  8. use tempfile::tempdir;
  9. use thiserror::Error;
  10. use crate::bindgen;
  11. #[derive(Error, Debug)]
  12. pub enum Error {
  13. #[error("error executing bpftool")]
  14. BpfTool(#[source] io::Error),
  15. #[error("{stderr}\nbpftool failed with exit code {code}")]
  16. BpfToolExit { code: i32, stderr: String },
  17. #[error("bindgen failed")]
  18. Bindgen(#[source] io::Error),
  19. #[error("{stderr}\nbindgen failed with exit code {code}")]
  20. BindgenExit { code: i32, stderr: String },
  21. #[error("error reading header file")]
  22. ReadHeaderFile(#[source] io::Error),
  23. }
  24. pub enum InputFile {
  25. Btf(PathBuf),
  26. Header(PathBuf),
  27. }
  28. pub fn generate<T: AsRef<str>>(
  29. input_file: InputFile,
  30. types: &[T],
  31. additional_flags: &[T],
  32. ) -> Result<String, Error> {
  33. let additional_flags = additional_flags
  34. .iter()
  35. .map(|s| s.as_ref().into())
  36. .collect::<Vec<_>>();
  37. let mut bindgen = bindgen::bpf_builder();
  38. let (additional_flags, ctypes_prefix) = extract_ctypes_prefix(&additional_flags);
  39. if let Some(prefix) = ctypes_prefix {
  40. bindgen = bindgen.ctypes_prefix(prefix)
  41. }
  42. for ty in types {
  43. bindgen = bindgen.allowlist_type(ty);
  44. }
  45. let (c_header, name) = match &input_file {
  46. InputFile::Btf(path) => (c_header_from_btf(path)?, "kernel_types.h"),
  47. InputFile::Header(header) => (
  48. fs::read_to_string(header).map_err(Error::ReadHeaderFile)?,
  49. header.file_name().unwrap().to_str().unwrap(),
  50. ),
  51. };
  52. let dir = tempdir().unwrap();
  53. let file_path = dir.path().join(name);
  54. let mut file = File::create(&file_path).unwrap();
  55. let () = file.write_all(c_header.as_bytes()).unwrap();
  56. let flags = combine_flags(&bindgen.command_line_flags(), &additional_flags);
  57. let output = Command::new("bindgen")
  58. .arg(file_path)
  59. .args(flags)
  60. .output()
  61. .map_err(Error::Bindgen)?;
  62. if !output.status.success() {
  63. return Err(Error::BindgenExit {
  64. code: output.status.code().unwrap(),
  65. stderr: str::from_utf8(&output.stderr).unwrap().to_owned(),
  66. });
  67. }
  68. Ok(str::from_utf8(&output.stdout).unwrap().to_owned())
  69. }
  70. fn c_header_from_btf(path: &Path) -> Result<String, Error> {
  71. let output = Command::new("bpftool")
  72. .args(["btf", "dump", "file"])
  73. .arg(path)
  74. .args(["format", "c"])
  75. .output()
  76. .map_err(Error::BpfTool)?;
  77. if !output.status.success() {
  78. return Err(Error::BpfToolExit {
  79. code: output.status.code().unwrap(),
  80. stderr: str::from_utf8(&output.stderr).unwrap().to_owned(),
  81. });
  82. }
  83. Ok(str::from_utf8(&output.stdout).unwrap().to_owned())
  84. }
  85. fn extract_ctypes_prefix(s: &[String]) -> (Vec<String>, Option<String>) {
  86. if let Some(index) = s.iter().position(|el| el == "--ctypes-prefix") {
  87. if index < s.len() - 1 {
  88. let mut flags = Vec::new();
  89. flags.extend_from_slice(&s[0..index]);
  90. // skip ["--ctypes-prefix", "value"]
  91. flags.extend_from_slice(&s[index + 2..]);
  92. return (flags, s.get(index + 1).cloned());
  93. }
  94. }
  95. (s.to_vec(), None)
  96. }
  97. fn combine_flags(s1: &[String], s2: &[String]) -> Vec<String> {
  98. let mut flags = Vec::new();
  99. let mut extra = Vec::new();
  100. for s in [s1, s2] {
  101. let mut s = s.splitn(2, |el| el == "--");
  102. // append args
  103. flags.extend(s.next().unwrap().iter().cloned());
  104. if let Some(e) = s.next() {
  105. // append extra args
  106. extra.extend(e.iter().cloned());
  107. }
  108. }
  109. // append extra args
  110. if !extra.is_empty() {
  111. flags.push("--".to_string());
  112. flags.extend(extra);
  113. }
  114. flags
  115. }
  116. #[cfg(test)]
  117. mod test {
  118. use super::{combine_flags, extract_ctypes_prefix};
  119. fn to_vec(s: &str) -> Vec<String> {
  120. s.split(' ').map(|x| x.into()).collect()
  121. }
  122. #[test]
  123. fn test_extract_ctypes_prefix() {
  124. let (flags, prefix) = extract_ctypes_prefix(&to_vec("foo --ctypes-prefix bar baz"));
  125. assert_eq!(flags, to_vec("foo baz"));
  126. assert_eq!(prefix.as_deref(), Some("bar"));
  127. let (flags, prefix) = extract_ctypes_prefix(&to_vec("foo --ctypes-prefi bar baz"));
  128. assert_eq!(flags, to_vec("foo --ctypes-prefi bar baz"));
  129. assert_eq!(prefix, None);
  130. let (flags, prefix) = extract_ctypes_prefix(&to_vec("--foo bar --ctypes-prefix"));
  131. assert_eq!(flags, to_vec("--foo bar --ctypes-prefix"));
  132. assert_eq!(prefix, None);
  133. let (flags, prefix) = extract_ctypes_prefix(&to_vec("--ctypes-prefix foo"));
  134. let empty: Vec<String> = Vec::new();
  135. assert_eq!(flags, empty);
  136. assert_eq!(prefix.as_deref(), Some("foo"));
  137. let (flags, prefix) = extract_ctypes_prefix(&to_vec("--ctypes-prefix"));
  138. assert_eq!(flags, to_vec("--ctypes-prefix"));
  139. assert_eq!(prefix, None);
  140. }
  141. #[test]
  142. fn test_combine_flags() {
  143. assert_eq!(
  144. combine_flags(&to_vec("a b"), &to_vec("c d"),).join(" "),
  145. "a b c d",
  146. );
  147. assert_eq!(
  148. combine_flags(&to_vec("a -- b"), &to_vec("a b"),).join(" "),
  149. "a a b -- b",
  150. );
  151. assert_eq!(
  152. combine_flags(&to_vec("a -- b"), &to_vec("c d"),).join(" "),
  153. "a c d -- b",
  154. );
  155. assert_eq!(
  156. combine_flags(&to_vec("a b"), &to_vec("c -- d"),).join(" "),
  157. "a b c -- d",
  158. );
  159. assert_eq!(
  160. combine_flags(&to_vec("a -- b"), &to_vec("c -- d"),).join(" "),
  161. "a c -- b d",
  162. );
  163. assert_eq!(
  164. combine_flags(&to_vec("a -- b"), &to_vec("-- c d"),).join(" "),
  165. "a -- b c d",
  166. );
  167. }
  168. }