generate.rs 5.7 KB

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