modprobe.rs 4.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140
  1. //! modprobe is used to load kernel modules into the kernel.
  2. //!
  3. //! This implementation is incredibly naive and is only designed to work within
  4. //! the constraints of the test environment. Not for production use.
  5. use std::{
  6. fs::File,
  7. io::{BufRead as _, Read as _},
  8. path::Path,
  9. };
  10. use anyhow::{Context as _, anyhow, bail};
  11. use clap::Parser;
  12. use glob::glob;
  13. use nix::kmod::init_module;
  14. use test_distro::resolve_modules_dir;
  15. macro_rules! output {
  16. ($quiet:expr, $($arg:tt)*) => {
  17. if !$quiet {
  18. println!($($arg)*);
  19. }
  20. };
  21. }
  22. #[derive(Parser)]
  23. struct Args {
  24. /// Suppress all output and don't return an error code.
  25. #[clap(short, long, default_value = "false")]
  26. quiet: bool,
  27. /// The name of the module to load.
  28. /// This can be either an alias like `net-sched-sch-ingress` or a module
  29. /// name like `sch_ingress`.
  30. name: String,
  31. }
  32. fn main() -> anyhow::Result<()> {
  33. let Args { quiet, name } = Parser::parse();
  34. let ret = try_main(quiet, name);
  35. if quiet { Ok(()) } else { ret }
  36. }
  37. fn try_main(quiet: bool, name: String) -> anyhow::Result<()> {
  38. let modules_dir = resolve_modules_dir()?;
  39. output!(quiet, "resolving alias for module: {}", name);
  40. let module = resolve_alias(quiet, &modules_dir, &name)?;
  41. let pattern = format!(
  42. "{}/kernel/**/{}.ko*",
  43. modules_dir
  44. .to_str()
  45. .ok_or_else(|| anyhow!("failed to convert {} to string", modules_dir.display()))?,
  46. module
  47. );
  48. let module_path = glob(&pattern)
  49. .with_context(|| format!("failed to glob: {}", pattern))?
  50. .next()
  51. .ok_or_else(|| anyhow!("module not found: {}", module))?
  52. .context("glob error")?;
  53. output!(quiet, "loading module: {}", module_path.display());
  54. let mut f =
  55. File::open(&module_path).with_context(|| format!("open(): {}", module_path.display()))?;
  56. let stat = f
  57. .metadata()
  58. .with_context(|| format!("stat(): {}", module_path.display()))?;
  59. let extension = module_path
  60. .as_path()
  61. .extension()
  62. .ok_or_else(|| anyhow!("module has no extension: {}", module_path.display()))?;
  63. let contents = if extension == "xz" {
  64. output!(quiet, "decompressing module");
  65. let mut decompressed = Vec::with_capacity(stat.len() as usize * 2);
  66. xz2::read::XzDecoder::new(f).read_to_end(&mut decompressed)?;
  67. decompressed
  68. } else {
  69. let mut contents: Vec<u8> = Vec::with_capacity(stat.len() as usize);
  70. f.read_to_end(&mut contents)?;
  71. contents
  72. };
  73. if !contents.starts_with(&[0x7f, 0x45, 0x4c, 0x46]) {
  74. bail!("module is not an valid ELF file");
  75. }
  76. match init_module(&contents, c"") {
  77. Ok(()) => {
  78. output!(quiet, "module loaded successfully");
  79. Ok(())
  80. }
  81. Err(e) => {
  82. if e == nix::errno::Errno::EEXIST {
  83. Err(anyhow!("module already loaded"))
  84. } else {
  85. Err(anyhow!("failed to load module: {}", e))
  86. }
  87. }
  88. }
  89. }
  90. fn resolve_alias(quiet: bool, module_dir: &Path, name: &str) -> anyhow::Result<String> {
  91. let modules_alias = module_dir.join("modules.alias");
  92. output!(
  93. quiet,
  94. "opening modules.alias file: {}",
  95. modules_alias.display()
  96. );
  97. let alias_file = File::open(&modules_alias)
  98. .with_context(|| format!("open(): {}", modules_alias.display()))?;
  99. let alias_file = std::io::BufReader::new(alias_file);
  100. for line in alias_file.lines() {
  101. let line = line?;
  102. if line.starts_with("alias ") {
  103. let mut parts = line.split_whitespace();
  104. let prefix = parts.next();
  105. if prefix != Some("alias") {
  106. bail!("alias line incorrect prefix: {}", line);
  107. }
  108. let alias = parts
  109. .next()
  110. .with_context(|| format!("alias line missing alias: {}", line))?;
  111. let module = parts
  112. .next()
  113. .with_context(|| format!("alias line missing module: {}", line))?;
  114. if parts.next().is_some() {
  115. bail!("alias line has too many parts: {}", line);
  116. }
  117. if alias == name {
  118. return Ok(module.to_string());
  119. }
  120. }
  121. }
  122. bail!("alias not found: {}", name)
  123. }