lib.rs 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314
  1. //! A library for parsing ACPI tables. This crate can be used by bootloaders and kernels for architectures that
  2. //! support ACPI. This crate is not feature-complete, but can parse lots of the more common tables. Parsing the
  3. //! ACPI tables is required for correctly setting up the APICs, HPET, and provides useful information about power
  4. //! management and many other platform capabilities.
  5. //!
  6. //! This crate is designed to find and parse the static tables ACPI provides. It should be used in conjunction with
  7. //! the `aml` crate, which is the (much less complete) AML parser used to parse the DSDT and SSDTs. These crates
  8. //! are separate because some kernels may want to detect the static tables, but delay AML parsing to a later stage.
  9. //!
  10. //! This crate requires `alloc` to make heap allocations. If you are trying to find the RSDP in an environment that
  11. //! does not have a heap (e.g. a bootloader), you can use the `rsdp` crate. The types from that crate are
  12. //! compatible with `acpi`.
  13. //!
  14. //! ### Usage
  15. //! To use the library, you will need to provide an implementation of the `AcpiHandler` trait, which allows the
  16. //! library to make requests such as mapping a particular region of physical memory into the virtual address space.
  17. //!
  18. //! You then need to construct an instance of `AcpiTables`, which can be done in a few ways depending on how much
  19. //! information you have:
  20. //! * Use `AcpiTables::from_rsdp` if you have the physical address of the RSDP
  21. //! * Use `AcpiTables::from_rsdt` if you have the physical address of the RSDT/XSDT
  22. //! * Use `AcpiTables::search_for_rsdp_bios` if you don't have the address of either, but **you know you are
  23. //! running on BIOS, not UEFI**
  24. //! * Use `AcpiTables::from_tables_direct` if you are using the library in an unusual setting, such as in usermode,
  25. //! and have a custom method to enumerate and access the tables.
  26. //!
  27. //! `AcpiTables` stores the addresses of all of the tables detected on a platform. The SDTs are parsed by this
  28. //! library, or can be accessed directly with `from_sdt`, while the `DSDT` and any `SSDTs` should be parsed with
  29. //! `aml`.
  30. //!
  31. //! To gather information out of the static tables, a few of the types you should take a look at are:
  32. //! - [`PlatformInfo`](crate::platform::PlatformInfo) parses the FADT and MADT to create a nice view of the
  33. //! processor topology and interrupt controllers on `x86_64`, and the interrupt controllers on other platforms.
  34. //! `AcpiTables::platform_info` is a convenience method for constructing a `PlatformInfo`.
  35. //! - [`HpetInfo`](crate::hpet::HpetInfo) parses the HPET table and tells you how to configure the High
  36. //! Precision Event Timer.
  37. //! - [`PciConfigRegions`](crate::mcfg::PciConfigRegions) parses the MCFG and tells you how PCIe configuration
  38. //! space is mapped into physical memory.
  39. /*
  40. * Contributing notes (you may find these useful if you're new to contributing to the library):
  41. * - Accessing packed fields without UB: Lots of the structures defined by ACPI are defined with `repr(packed)`
  42. * to prevent padding being introduced, which would make the structure's layout incorrect. In Rust, this
  43. * creates a problem as references to these fields could be unaligned, which is undefined behaviour. For the
  44. * majority of these fields, this problem can be easily avoided by telling the compiler to make a copy of the
  45. * field's contents: this is the perhaps unfamiliar pattern of e.g. `!{ entry.flags }.get_bit(0)` we use
  46. * around the codebase.
  47. */
  48. #![no_std]
  49. #![feature(const_generics)]
  50. #![deny(unsafe_op_in_unsafe_fn)]
  51. extern crate alloc;
  52. #[cfg_attr(test, macro_use)]
  53. #[cfg(test)]
  54. extern crate std;
  55. pub mod fadt;
  56. pub mod hpet;
  57. pub mod madt;
  58. pub mod mcfg;
  59. pub mod platform;
  60. pub mod sdt;
  61. pub use crate::{
  62. fadt::PowerProfile,
  63. hpet::HpetInfo,
  64. madt::MadtError,
  65. mcfg::PciConfigRegions,
  66. platform::{interrupt::InterruptModel, PlatformInfo},
  67. };
  68. pub use rsdp::{
  69. handler::{AcpiHandler, PhysicalMapping},
  70. RsdpError,
  71. };
  72. use crate::sdt::{SdtHeader, Signature};
  73. use alloc::{collections::BTreeMap, vec::Vec};
  74. use core::mem;
  75. use log::trace;
  76. use rsdp::Rsdp;
  77. #[derive(Debug)]
  78. pub enum AcpiError {
  79. Rsdp(RsdpError),
  80. SdtInvalidSignature(Signature),
  81. SdtInvalidOemId(Signature),
  82. SdtInvalidTableId(Signature),
  83. SdtInvalidChecksum(Signature),
  84. TableMissing(Signature),
  85. InvalidFacsAddress,
  86. InvalidDsdtAddress,
  87. InvalidMadt(MadtError),
  88. InvalidGenericAddress,
  89. }
  90. pub struct AcpiTables<H>
  91. where
  92. H: AcpiHandler,
  93. {
  94. /// The revision of ACPI that the system uses, as inferred from the revision of the RSDT/XSDT.
  95. pub revision: u8,
  96. pub sdts: BTreeMap<sdt::Signature, Sdt>,
  97. pub dsdt: Option<AmlTable>,
  98. pub ssdts: Vec<AmlTable>,
  99. handler: H,
  100. }
  101. impl<H> AcpiTables<H>
  102. where
  103. H: AcpiHandler,
  104. {
  105. /// Create an `AcpiTables` if you have the physical address of the RSDP.
  106. pub unsafe fn from_rsdp(handler: H, rsdp_address: usize) -> Result<AcpiTables<H>, AcpiError> {
  107. let rsdp_mapping = unsafe { handler.map_physical_region::<Rsdp>(rsdp_address, mem::size_of::<Rsdp>()) };
  108. rsdp_mapping.validate().map_err(AcpiError::Rsdp)?;
  109. Self::from_validated_rsdp(handler, rsdp_mapping)
  110. }
  111. /// Search for the RSDP on a BIOS platform. This accesses BIOS-specific memory locations and will probably not
  112. /// work on UEFI platforms. See [Rsdp::search_for_rsdp_bios](rsdp_search::Rsdp::search_for_rsdp_bios) for
  113. /// details.
  114. pub unsafe fn search_for_rsdp_bios(handler: H) -> Result<AcpiTables<H>, AcpiError> {
  115. let rsdp_mapping = unsafe { Rsdp::search_for_on_bios(handler.clone()) }.map_err(AcpiError::Rsdp)?;
  116. Self::from_validated_rsdp(handler, rsdp_mapping)
  117. }
  118. /// Create an `AcpiTables` if you have a `PhysicalMapping` of the RSDP that you know is correct. This is called
  119. /// from `from_rsdp` after validation, but can also be used if you've searched for the RSDP manually on a BIOS
  120. /// system.
  121. pub fn from_validated_rsdp(
  122. handler: H,
  123. rsdp_mapping: PhysicalMapping<H, Rsdp>,
  124. ) -> Result<AcpiTables<H>, AcpiError> {
  125. let revision = rsdp_mapping.revision();
  126. if revision == 0 {
  127. /*
  128. * We're running on ACPI Version 1.0. We should use the 32-bit RSDT address.
  129. */
  130. let rsdt_address = rsdp_mapping.rsdt_address();
  131. unsafe { Self::from_rsdt(handler, revision, rsdt_address as usize) }
  132. } else {
  133. /*
  134. * We're running on ACPI Version 2.0+. We should use the 64-bit XSDT address, truncated
  135. * to 32 bits on x86.
  136. */
  137. let xsdt_address = rsdp_mapping.xsdt_address();
  138. unsafe { Self::from_rsdt(handler, revision, xsdt_address as usize) }
  139. }
  140. }
  141. /// Create an `AcpiTables` if you have the physical address of the RSDT. This is useful, for example, if your chosen
  142. /// bootloader reads the RSDP and passes you the address of the RSDT. You also need to supply the correct ACPI
  143. /// revision - if `0`, a RSDT is expected, while a `XSDT` is expected for greater revisions.
  144. pub unsafe fn from_rsdt(handler: H, revision: u8, rsdt_address: usize) -> Result<AcpiTables<H>, AcpiError> {
  145. let mut result = AcpiTables { revision, sdts: BTreeMap::new(), dsdt: None, ssdts: Vec::new(), handler };
  146. let header = sdt::peek_at_sdt_header(&result.handler, rsdt_address);
  147. let mapping =
  148. unsafe { result.handler.map_physical_region::<SdtHeader>(rsdt_address, header.length as usize) };
  149. if revision == 0 {
  150. /*
  151. * ACPI Version 1.0. It's a RSDT!
  152. */
  153. mapping.validate(sdt::Signature::RSDT)?;
  154. let num_tables = (mapping.length as usize - mem::size_of::<SdtHeader>()) / mem::size_of::<u32>();
  155. let tables_base =
  156. ((mapping.virtual_start().as_ptr() as usize) + mem::size_of::<SdtHeader>()) as *const u32;
  157. for i in 0..num_tables {
  158. result.process_sdt(unsafe { *tables_base.add(i) as usize })?;
  159. }
  160. } else {
  161. /*
  162. * ACPI Version 2.0+. It's a XSDT!
  163. */
  164. mapping.validate(sdt::Signature::XSDT)?;
  165. let num_tables = (mapping.length as usize - mem::size_of::<SdtHeader>()) / mem::size_of::<u64>();
  166. let tables_base =
  167. ((mapping.virtual_start().as_ptr() as usize) + mem::size_of::<SdtHeader>()) as *const u64;
  168. for i in 0..num_tables {
  169. result.process_sdt(unsafe { *tables_base.add(i) as usize })?;
  170. }
  171. }
  172. Ok(result)
  173. }
  174. /// Construct an `AcpiTables` from a custom set of "discovered" tables. This is provided to allow the library
  175. /// to be used from unconventional settings (e.g. in userspace), for example with a `AcpiHandler` that detects
  176. /// accesses to specific physical addresses, and provides the correct data.
  177. pub fn from_tables_direct(
  178. handler: H,
  179. revision: u8,
  180. sdts: BTreeMap<sdt::Signature, Sdt>,
  181. dsdt: Option<AmlTable>,
  182. ssdts: Vec<AmlTable>,
  183. ) -> AcpiTables<H> {
  184. AcpiTables { revision, sdts, dsdt, ssdts, handler }
  185. }
  186. fn process_sdt(&mut self, physical_address: usize) -> Result<(), AcpiError> {
  187. let header = sdt::peek_at_sdt_header(&self.handler, physical_address);
  188. trace!("Found ACPI table with signature {:?} and length {:?}", header.signature, { header.length });
  189. match header.signature {
  190. Signature::FADT => {
  191. use crate::fadt::Fadt;
  192. /*
  193. * For whatever reason, they chose to put the DSDT inside the FADT, instead of just listing it
  194. * as another SDT. We extract it here to provide a nicer public API.
  195. */
  196. let fadt_mapping =
  197. unsafe { self.handler.map_physical_region::<Fadt>(physical_address, mem::size_of::<Fadt>()) };
  198. fadt_mapping.validate()?;
  199. let dsdt_address = fadt_mapping.dsdt_address()?;
  200. let dsdt_header = sdt::peek_at_sdt_header(&self.handler, dsdt_address);
  201. self.dsdt = Some(AmlTable::new(dsdt_address, dsdt_header.length));
  202. /*
  203. * We've already validated the FADT to get the DSDT out, so it doesn't need to be done again.
  204. */
  205. self.sdts
  206. .insert(Signature::FADT, Sdt { physical_address, length: header.length, validated: true });
  207. }
  208. Signature::SSDT => {
  209. self.ssdts.push(AmlTable::new(physical_address, header.length));
  210. }
  211. signature => {
  212. self.sdts.insert(signature, Sdt { physical_address, length: header.length, validated: false });
  213. }
  214. }
  215. Ok(())
  216. }
  217. /// Create a mapping to a SDT, given its signature. This validates the SDT if it has not already been
  218. /// validated.
  219. ///
  220. /// ### Safety
  221. /// The table's memory is naively interpreted as a `T`, and so you must be careful in providing a type that
  222. /// correctly represents the table's structure. Regardless of the provided type's size, the region mapped will
  223. /// be the size specified in the SDT's header. Providing a `T` that is larger than this, *may* lead to
  224. /// page-faults, aliasing references, or derefencing uninitialized memory (the latter two of which are UB).
  225. /// This isn't forbidden, however, because some tables rely on `T` being larger than a provided SDT in some
  226. /// versions of ACPI (the [`ExtendedField`](crate::sdt::ExtendedField) type will be useful if you need to do
  227. /// this. See our [`Fadt`](crate::fadt::Fadt) type for an example of this).
  228. pub unsafe fn get_sdt<T>(&self, signature: sdt::Signature) -> Result<Option<PhysicalMapping<H, T>>, AcpiError>
  229. where
  230. T: AcpiTable,
  231. {
  232. let sdt = match self.sdts.get(&signature) {
  233. Some(sdt) => sdt,
  234. None => return Ok(None),
  235. };
  236. let mapping = unsafe { self.handler.map_physical_region::<T>(sdt.physical_address, sdt.length as usize) };
  237. if !sdt.validated {
  238. mapping.header().validate(signature)?;
  239. }
  240. Ok(Some(mapping))
  241. }
  242. /// Convenience method for contructing a [`PlatformInfo`](crate::platform::PlatformInfo). This is one of the
  243. /// first things you should usually do with an `AcpiTables`, and allows to collect helpful information about
  244. /// the platform from the ACPI tables.
  245. pub fn platform_info(&self) -> Result<PlatformInfo, AcpiError> {
  246. PlatformInfo::new(self)
  247. }
  248. }
  249. pub struct Sdt {
  250. /// Physical address of the start of the SDT, including the header.
  251. pub physical_address: usize,
  252. /// Length of the table in bytes.
  253. pub length: u32,
  254. /// Whether this SDT has been validated. This is set to `true` the first time it is mapped and validated.
  255. pub validated: bool,
  256. }
  257. /// All types representing ACPI tables should implement this trait.
  258. pub trait AcpiTable {
  259. fn header(&self) -> &sdt::SdtHeader;
  260. }
  261. #[derive(Debug)]
  262. pub struct AmlTable {
  263. /// Physical address of the start of the AML stream (excluding the table header).
  264. pub address: usize,
  265. /// Length (in bytes) of the AML stream.
  266. pub length: u32,
  267. }
  268. impl AmlTable {
  269. /// Create an `AmlTable` from the address and length of the table **including the SDT header**.
  270. pub(crate) fn new(address: usize, length: u32) -> AmlTable {
  271. AmlTable {
  272. address: address + mem::size_of::<SdtHeader>(),
  273. length: length - mem::size_of::<SdtHeader>() as u32,
  274. }
  275. }
  276. }