physical_slice.rs 1.8 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455
  1. use core::marker::PhantomData;
  2. /// Physical slice wrapper with type annotation.
  3. ///
  4. /// This struct wraps slices in RISC-V physical memory by low and high part of the
  5. /// physical base address as well as its length. It is usually used by SBI extensions
  6. /// as parameter types to pass base address and length parameters on physical memory
  7. /// other than a virtual one.
  8. ///
  9. /// Generic parameter `P` represents a hint of how this physical slice would be used.
  10. /// For example, `Physical<&[u8]>` represents an immutable reference to physical byte slice,
  11. /// while `Physical<&mut [u8]>` represents a mutable one.
  12. ///
  13. /// An SBI implementation should load or store memory using both `phys_addr_lo` and
  14. /// `phys_addr_hi` combined as base address. A supervisor program (kernels etc.)
  15. /// should provide continuous physical memory, wrapping its reference using this structure
  16. /// before passing into SBI runtime.
  17. #[derive(Clone, Copy)]
  18. pub struct Physical<P> {
  19. num_bytes: usize,
  20. phys_addr_lo: usize,
  21. phys_addr_hi: usize,
  22. _marker: PhantomData<P>,
  23. }
  24. impl<P> Physical<P> {
  25. /// Create a physical memory slice by length and physical address.
  26. #[inline]
  27. pub const fn new(num_bytes: usize, phys_addr_lo: usize, phys_addr_hi: usize) -> Self {
  28. Self {
  29. num_bytes,
  30. phys_addr_lo,
  31. phys_addr_hi,
  32. _marker: core::marker::PhantomData,
  33. }
  34. }
  35. /// Returns length of the physical memory slice.
  36. #[inline]
  37. pub const fn num_bytes(&self) -> usize {
  38. self.num_bytes
  39. }
  40. /// Returns low-part base address of physical memory slice.
  41. #[inline]
  42. pub const fn phys_addr_lo(&self) -> usize {
  43. self.phys_addr_lo
  44. }
  45. /// Returns high-part base address of physical memory slice.
  46. #[inline]
  47. pub const fn phys_addr_hi(&self) -> usize {
  48. self.phys_addr_hi
  49. }
  50. }