module.rs 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. use crate::header::{Tag, TagIter, TagType};
  2. use core::fmt::{Debug, Formatter};
  3. /// This tag indicates to the kernel what boot module was loaded along with
  4. /// the kernel image, and where it can be found.
  5. #[derive(Clone, Copy)]
  6. #[repr(C, packed)] // only repr(C) would add unwanted padding near name_byte.
  7. pub struct ModuleTag {
  8. typ: u32,
  9. size: u32,
  10. mod_start: u32,
  11. mod_end: u32,
  12. /// Begin of the command line string.
  13. cmdline_str: u8,
  14. }
  15. impl ModuleTag {
  16. // The multiboot specification defines the module str as valid utf-8 (zero terminated string),
  17. // therefore this function produces defined behavior
  18. /// Get the cmdline of the module. If the GRUB configuration contains
  19. /// `module2 /foobar/some_boot_module --test cmdline-option`, then this method
  20. /// will return `--test cmdline-option`.
  21. pub fn cmdline(&self) -> &str {
  22. use core::{mem, slice, str};
  23. let strlen = self.size as usize - mem::size_of::<ModuleTag>();
  24. unsafe {
  25. str::from_utf8_unchecked(slice::from_raw_parts(&self.cmdline_str as *const u8, strlen))
  26. }
  27. }
  28. /// Start address of the module.
  29. pub fn start_address(&self) -> u32 {
  30. self.mod_start
  31. }
  32. /// End address of the module
  33. pub fn end_address(&self) -> u32 {
  34. self.mod_end
  35. }
  36. }
  37. impl Debug for ModuleTag {
  38. fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
  39. f.debug_struct("ModuleTag")
  40. .field("type", &self.typ)
  41. .field("size", &self.size)
  42. .field("mod_start", &(self.mod_start as *const usize))
  43. .field("mod_end", &(self.mod_end as *const usize))
  44. .field("cmdline", &self.cmdline())
  45. .finish()
  46. }
  47. }
  48. pub fn module_iter(iter: TagIter) -> ModuleIter {
  49. ModuleIter { iter }
  50. }
  51. /// An iterator over all module tags.
  52. #[derive(Clone)]
  53. pub struct ModuleIter<'a> {
  54. iter: TagIter<'a>,
  55. }
  56. impl<'a> Iterator for ModuleIter<'a> {
  57. type Item = &'a ModuleTag;
  58. fn next(&mut self) -> Option<&'a ModuleTag> {
  59. self.iter
  60. .find(|x| x.typ == TagType::Module)
  61. .map(|tag| unsafe { &*(tag as *const Tag as *const ModuleTag) })
  62. }
  63. }
  64. impl<'a> Debug for ModuleIter<'a> {
  65. fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
  66. let mut list = f.debug_list();
  67. self.clone().for_each(|tag| {
  68. list.entry(&tag);
  69. });
  70. list.finish()
  71. }
  72. }