module.rs 1.8 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768
  1. use header::{Tag, TagIter, TagType};
  2. use core::fmt::{Formatter, Debug};
  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, Debug)]
  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. name_byte: u8,
  13. }
  14. impl ModuleTag {
  15. // The multiboot specification defines the module str
  16. // as valid utf-8, therefore this function produces
  17. // defined behavior
  18. /// Get the name of the module.
  19. pub fn name(&self) -> &str {
  20. use core::{mem, slice, str};
  21. let strlen = self.size as usize - mem::size_of::<ModuleTag>();
  22. unsafe {
  23. str::from_utf8_unchecked(slice::from_raw_parts(&self.name_byte as *const u8, strlen))
  24. }
  25. }
  26. /// Start address of the module.
  27. pub fn start_address(&self) -> u32 {
  28. self.mod_start
  29. }
  30. /// End address of the module
  31. pub fn end_address(&self) -> u32 {
  32. self.mod_end
  33. }
  34. }
  35. pub fn module_iter(iter: TagIter) -> ModuleIter {
  36. ModuleIter { iter: iter }
  37. }
  38. /// An iterator over all module tags.
  39. #[derive(Clone)]
  40. pub struct ModuleIter<'a> {
  41. iter: TagIter<'a>,
  42. }
  43. impl<'a> Iterator for ModuleIter<'a> {
  44. type Item = &'a ModuleTag;
  45. fn next(&mut self) -> Option<&'a ModuleTag> {
  46. self.iter
  47. .find(|x| x.typ == TagType::Module)
  48. .map(|tag| unsafe { &*(tag as *const Tag as *const ModuleTag) })
  49. }
  50. }
  51. impl <'a> Debug for ModuleIter<'a> {
  52. fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
  53. let mut list = f.debug_list();
  54. self.clone().for_each(|tag| {
  55. list.entry(&tag);
  56. });
  57. list.finish()
  58. }
  59. }