1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76
//! This crate provides the definition of page table entry for various hardware
//! architectures.
//!
//! Currently supported architectures and page table entry types:
//!
//! - x86: [`x86_64::X64PTE`]
//! - ARM: [`aarch64::A64PTE`]
//! - RISC-V: [`riscv::Rv64PTE`]
//!
//! All these types implement the [`GenericPTE`] trait, which provides unified
//! methods for manipulating various page table entries.
#![no_std]
#![feature(doc_auto_cfg)]
#![feature(doc_cfg)]
mod arch;
use core::fmt::Debug;
use memory_addr::PhysAddr;
pub use self::arch::*;
bitflags::bitflags! {
/// Generic page table entry flags that indicate the corresponding mapped
/// memory region permissions and attributes.
#[derive(Debug, Clone, Copy)]
pub struct MappingFlags: usize {
/// The memory is readable.
const READ = 1 << 0;
/// The memory is writable.
const WRITE = 1 << 1;
/// The memory is executable.
const EXECUTE = 1 << 2;
/// The memory is user accessible.
const USER = 1 << 3;
/// The memory is device memory.
const DEVICE = 1 << 4;
/// The memory is uncached.
const UNCACHED = 1 << 5;
}
}
/// A generic page table entry.
///
/// All architecture-specific page table entry types implement this trait.
pub trait GenericPTE: Debug + Clone + Copy + Sync + Send + Sized {
/// Creates a page table entry point to a terminate page or block.
fn new_page(paddr: PhysAddr, flags: MappingFlags, is_huge: bool) -> Self;
/// Creates a fault page table entry.
fn new_fault_page(_flags: MappingFlags, _is_huge: bool) -> Self {
panic!("Only implemented for riscv for now.");
}
/// Creates a page table entry point to a next level page table.
fn new_table(paddr: PhysAddr) -> Self;
/// Returns the physical address mapped by this entry.
fn paddr(&self) -> PhysAddr;
/// Returns the flags of this entry.
fn flags(&self) -> MappingFlags;
/// Set mapped physical address of the entry.
fn set_paddr(&mut self, paddr: PhysAddr);
/// Set flags of the entry.
fn set_flags(&mut self, flags: MappingFlags, is_huge: bool);
/// Returns whether this entry is zero.
fn is_unused(&self) -> bool;
/// Returns whether this entry flag indicates present.
fn is_present(&self) -> bool;
/// For non-last level translation, returns whether this entry maps to a
/// huge frame.
fn is_huge(&self) -> bool;
/// Set this entry to zero.
fn clear(&mut self);
}