lib.rs 2.1 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  1. #![no_std]
  2. use header::{Tag, TagIter};
  3. pub use boot_loader_name::BootLoaderNameTag;
  4. pub use elf_sections::{ElfSectionsTag, ElfSection, ElfSectionIter, ElfSectionType, ElfSectionFlags, StringTable};
  5. pub use elf_sections::{ELF_SECTION_WRITABLE, ELF_SECTION_ALLOCATED, ELF_SECTION_EXECUTABLE};
  6. pub use memory_map::{MemoryMapTag, MemoryArea, MemoryAreaIter};
  7. pub use module::{ModuleTag, ModuleIter};
  8. #[macro_use]
  9. extern crate bitflags;
  10. mod header;
  11. mod boot_loader_name;
  12. mod elf_sections;
  13. mod memory_map;
  14. mod module;
  15. pub unsafe fn load(address: usize) -> &'static BootInformation {
  16. let multiboot = &*(address as *const BootInformation);
  17. assert!(multiboot.has_valid_end_tag());
  18. multiboot
  19. }
  20. #[repr(C)]
  21. pub struct BootInformation {
  22. pub total_size: u32,
  23. _reserved: u32,
  24. first_tag: Tag,
  25. }
  26. impl BootInformation {
  27. pub fn start_address(&self) -> usize {
  28. self as *const _ as usize
  29. }
  30. pub fn end_address(&self) -> usize {
  31. self.start_address() + self.total_size as usize
  32. }
  33. pub fn elf_sections_tag(&self) -> Option<&'static ElfSectionsTag> {
  34. self.get_tag(9).map(|tag| unsafe{&*(tag as *const Tag as *const ElfSectionsTag)})
  35. }
  36. pub fn memory_map_tag(&self) -> Option<&'static MemoryMapTag> {
  37. self.get_tag(6).map(|tag| unsafe{&*(tag as *const Tag as *const MemoryMapTag)})
  38. }
  39. pub fn module_tags(&self) -> ModuleIter {
  40. ModuleIter{ iter: self.tags() }
  41. }
  42. pub fn boot_loader_name_tag(&self) -> Option<&'static BootLoaderNameTag> {
  43. self.get_tag(2).map(|tag| unsafe{&*(tag as *const Tag as *const BootLoaderNameTag)})
  44. }
  45. fn has_valid_end_tag(&self) -> bool {
  46. const END_TAG: Tag = Tag{typ:0, size:8};
  47. let self_ptr = self as *const _;
  48. let end_tag_addr = self_ptr as usize + (self.total_size - END_TAG.size) as usize;
  49. let end_tag = unsafe{&*(end_tag_addr as *const Tag)};
  50. end_tag.typ == END_TAG.typ && end_tag.size == END_TAG.size
  51. }
  52. fn get_tag(&self, typ: u32) -> Option<&'static Tag> {
  53. self.tags().find(|tag| tag.typ == typ)
  54. }
  55. fn tags(&self) -> TagIter {
  56. TagIter{current: &self.first_tag as *const _}
  57. }
  58. }