1
0
This commit is contained in:
Mark 2025-02-17 11:02:36 -08:00
parent 3b76b53f00
commit 014babe444
Signed by: Mark
GPG Key ID: C6D63995FE72FD80
9 changed files with 704 additions and 704 deletions

View File

@ -6,26 +6,26 @@ pub(crate) mod x32;
pub(crate) mod x64; pub(crate) mod x64;
pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
kernel_phys: u64, kernel_phys: u64,
kernel_size: u64, kernel_size: u64,
) -> Option<usize> { ) -> Option<usize> {
if crate::KERNEL_64BIT { if crate::KERNEL_64BIT {
x64::paging_create(os, kernel_phys, kernel_size) x64::paging_create(os, kernel_phys, kernel_size)
} else { } else {
x32::paging_create(os, kernel_phys, kernel_size) x32::paging_create(os, kernel_phys, kernel_size)
} }
} }
pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
page_phys: usize, page_phys: usize,
framebuffer_phys: u64, framebuffer_phys: u64,
framebuffer_size: u64, framebuffer_size: u64,
) -> Option<u64> { ) -> Option<u64> {
if crate::KERNEL_64BIT { if crate::KERNEL_64BIT {
x64::paging_framebuffer(os, page_phys, framebuffer_phys, framebuffer_size) x64::paging_framebuffer(os, page_phys, framebuffer_phys, framebuffer_size)
} else { } else {
x32::paging_framebuffer(os, page_phys, framebuffer_phys, framebuffer_size) x32::paging_framebuffer(os, page_phys, framebuffer_phys, framebuffer_size)
} }
} }

View File

@ -8,82 +8,82 @@ const PAGE_SIZE: usize = 4096;
pub(crate) const PHYS_OFFSET: u32 = 0x8000_0000; pub(crate) const PHYS_OFFSET: u32 = 0x8000_0000;
unsafe fn paging_allocate<D: Disk, V: Iterator<Item = OsVideoMode>>( unsafe fn paging_allocate<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
) -> Option<&'static mut [u32]> { ) -> Option<&'static mut [u32]> {
let ptr = os.alloc_zeroed_page_aligned(PAGE_SIZE); let ptr = os.alloc_zeroed_page_aligned(PAGE_SIZE);
if !ptr.is_null() { if !ptr.is_null() {
area_add(OsMemoryEntry { area_add(OsMemoryEntry {
base: ptr as u64, base: ptr as u64,
size: PAGE_SIZE as u64, size: PAGE_SIZE as u64,
kind: OsMemoryKind::Reclaim, kind: OsMemoryKind::Reclaim,
}); });
Some(slice::from_raw_parts_mut(ptr as *mut u32, PAGE_ENTRIES)) Some(slice::from_raw_parts_mut(ptr as *mut u32, PAGE_ENTRIES))
} else { } else {
None None
} }
} }
pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
kernel_phys: u64, kernel_phys: u64,
kernel_size: u64, kernel_size: u64,
) -> Option<usize> { ) -> Option<usize> {
let pd = paging_allocate(os)?; let pd = paging_allocate(os)?;
//Identity map 1 GiB using 4 MiB pages, also map at PHYS_OFFSET //Identity map 1 GiB using 4 MiB pages, also map at PHYS_OFFSET
for pd_i in 0..256 { for pd_i in 0..256 {
let addr = pd_i as u32 * 0x40_0000; let addr = pd_i as u32 * 0x40_0000;
pd[pd_i] = addr | 1 << 7 | 1 << 1 | 1; pd[pd_i] = addr | 1 << 7 | 1 << 1 | 1;
pd[pd_i + 512] = addr | 1 << 7 | 1 << 1 | 1; pd[pd_i + 512] = addr | 1 << 7 | 1 << 1 | 1;
} }
// Map kernel_size at kernel offset // Map kernel_size at kernel offset
let mut kernel_mapped = 0; let mut kernel_mapped = 0;
let mut pd_i = 0xC000_0000 / 0x40_0000; let mut pd_i = 0xC000_0000 / 0x40_0000;
while kernel_mapped < kernel_size && pd_i < pd.len() { while kernel_mapped < kernel_size && pd_i < pd.len() {
let pt = paging_allocate(os)?; let pt = paging_allocate(os)?;
pd[pd_i] = pt.as_ptr() as u32 | 1 << 1 | 1; pd[pd_i] = pt.as_ptr() as u32 | 1 << 1 | 1;
pd_i += 1; pd_i += 1;
let mut pt_i = 0; let mut pt_i = 0;
while kernel_mapped < kernel_size && pt_i < pt.len() { while kernel_mapped < kernel_size && pt_i < pt.len() {
let addr = kernel_phys + kernel_mapped; let addr = kernel_phys + kernel_mapped;
pt[pt_i] = addr as u32 | 1 << 1 | 1; pt[pt_i] = addr as u32 | 1 << 1 | 1;
pt_i += 1; pt_i += 1;
kernel_mapped += PAGE_SIZE as u64; kernel_mapped += PAGE_SIZE as u64;
} }
} }
assert!(kernel_mapped >= kernel_size); assert!(kernel_mapped >= kernel_size);
Some(pd.as_ptr() as usize) Some(pd.as_ptr() as usize)
} }
pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
page_phys: usize, page_phys: usize,
framebuffer_phys: u64, framebuffer_phys: u64,
framebuffer_size: u64, framebuffer_size: u64,
) -> Option<u64> { ) -> Option<u64> {
let framebuffer_virt = 0xD000_0000; // 256 MiB after kernel mapping, but before heap mapping let framebuffer_virt = 0xD000_0000; // 256 MiB after kernel mapping, but before heap mapping
let pd = slice::from_raw_parts_mut(page_phys as *mut u32, PAGE_ENTRIES); let pd = slice::from_raw_parts_mut(page_phys as *mut u32, PAGE_ENTRIES);
// Map framebuffer_size at framebuffer offset // Map framebuffer_size at framebuffer offset
let mut framebuffer_mapped = 0; let mut framebuffer_mapped = 0;
let mut pd_i = framebuffer_virt / 0x40_0000; let mut pd_i = framebuffer_virt / 0x40_0000;
while framebuffer_mapped < framebuffer_size && pd_i < pd.len() { while framebuffer_mapped < framebuffer_size && pd_i < pd.len() {
let pt = paging_allocate(os)?; let pt = paging_allocate(os)?;
pd[pd_i] = pt.as_ptr() as u32 | 1 << 1 | 1; pd[pd_i] = pt.as_ptr() as u32 | 1 << 1 | 1;
pd_i += 1; pd_i += 1;
let mut pt_i = 0; let mut pt_i = 0;
while framebuffer_mapped < framebuffer_size && pt_i < pt.len() { while framebuffer_mapped < framebuffer_size && pt_i < pt.len() {
let addr = framebuffer_phys + framebuffer_mapped; let addr = framebuffer_phys + framebuffer_mapped;
pt[pt_i] = addr as u32 | 1 << 1 | 1; pt[pt_i] = addr as u32 | 1 << 1 | 1;
pt_i += 1; pt_i += 1;
framebuffer_mapped += PAGE_SIZE as u64; framebuffer_mapped += PAGE_SIZE as u64;
} }
} }
assert!(framebuffer_mapped >= framebuffer_size); assert!(framebuffer_mapped >= framebuffer_size);
Some(framebuffer_virt as u64) Some(framebuffer_virt as u64)
} }

View File

@ -10,20 +10,20 @@ const PAGE_SIZE: usize = 4096;
pub(crate) const PHYS_OFFSET: u64 = 0xFFFF_8000_0000_0000; pub(crate) const PHYS_OFFSET: u64 = 0xFFFF_8000_0000_0000;
unsafe fn paging_allocate<D: Disk, V: Iterator<Item = OsVideoMode>>( unsafe fn paging_allocate<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
) -> Option<&'static mut [u64]> { ) -> Option<&'static mut [u64]> {
let ptr = os.alloc_zeroed_page_aligned(PAGE_SIZE); let ptr = os.alloc_zeroed_page_aligned(PAGE_SIZE);
if !ptr.is_null() { if !ptr.is_null() {
area_add(OsMemoryEntry { area_add(OsMemoryEntry {
base: ptr as u64, base: ptr as u64,
size: PAGE_SIZE as u64, size: PAGE_SIZE as u64,
kind: OsMemoryKind::Reclaim, kind: OsMemoryKind::Reclaim,
}); });
Some(slice::from_raw_parts_mut(ptr as *mut u64, PAGE_ENTRIES)) Some(slice::from_raw_parts_mut(ptr as *mut u64, PAGE_ENTRIES))
} else { } else {
None None
} }
} }
const PRESENT: u64 = 1; const PRESENT: u64 = 1;
@ -31,119 +31,119 @@ const WRITABLE: u64 = 1 << 1;
const LARGE: u64 = 1 << 7; const LARGE: u64 = 1 << 7;
pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_create<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
kernel_phys: u64, kernel_phys: u64,
kernel_size: u64, kernel_size: u64,
) -> Option<usize> { ) -> Option<usize> {
// Create PML4 // Create PML4
let pml4 = paging_allocate(os)?; let pml4 = paging_allocate(os)?;
{ {
// Create PDP for identity mapping // Create PDP for identity mapping
let pdp = paging_allocate(os)?; let pdp = paging_allocate(os)?;
// Link first user and first kernel PML4 entry to PDP // Link first user and first kernel PML4 entry to PDP
pml4[0] = pdp.as_ptr() as u64 | WRITABLE | PRESENT; pml4[0] = pdp.as_ptr() as u64 | WRITABLE | PRESENT;
pml4[256] = pdp.as_ptr() as u64 | WRITABLE | PRESENT; pml4[256] = pdp.as_ptr() as u64 | WRITABLE | PRESENT;
// Identity map 8 GiB using 2 MiB pages // Identity map 8 GiB using 2 MiB pages
for pdp_i in 0..8 { for pdp_i in 0..8 {
let pd = paging_allocate(os)?; let pd = paging_allocate(os)?;
pdp[pdp_i] = pd.as_ptr() as u64 | WRITABLE | PRESENT; pdp[pdp_i] = pd.as_ptr() as u64 | WRITABLE | PRESENT;
for pd_i in 0..pd.len() { for pd_i in 0..pd.len() {
let addr = pdp_i as u64 * 0x4000_0000 + pd_i as u64 * 0x20_0000; let addr = pdp_i as u64 * 0x4000_0000 + pd_i as u64 * 0x20_0000;
pd[pd_i] = addr | LARGE | WRITABLE | PRESENT; pd[pd_i] = addr | LARGE | WRITABLE | PRESENT;
} }
} }
} }
{ {
// Create PDP (spanning 512 GiB) for kernel mapping // Create PDP (spanning 512 GiB) for kernel mapping
let pdp = paging_allocate(os)?; let pdp = paging_allocate(os)?;
// Link last PML4 entry to PDP // Link last PML4 entry to PDP
pml4[511] = pdp.as_ptr() as u64 | WRITABLE | PRESENT; pml4[511] = pdp.as_ptr() as u64 | WRITABLE | PRESENT;
// Create PD (spanning 1 GiB) for kernel mapping. // Create PD (spanning 1 GiB) for kernel mapping.
let pd = paging_allocate(os)?; let pd = paging_allocate(os)?;
// The kernel is mapped at -2^31, i.e. 0xFFFF_FFFF_8000_0000. Since a PD is 1 GiB, link // The kernel is mapped at -2^31, i.e. 0xFFFF_FFFF_8000_0000. Since a PD is 1 GiB, link
// the second last PDP entry to PD. // the second last PDP entry to PD.
pdp[510] = pd.as_ptr() as u64 | WRITABLE | PRESENT; pdp[510] = pd.as_ptr() as u64 | WRITABLE | PRESENT;
// Map kernel_size bytes to kernel offset, i.e. to the start of the PD. // Map kernel_size bytes to kernel offset, i.e. to the start of the PD.
let mut kernel_mapped = 0; let mut kernel_mapped = 0;
let mut pd_idx = 0; let mut pd_idx = 0;
while kernel_mapped < kernel_size && pd_idx < pd.len() { while kernel_mapped < kernel_size && pd_idx < pd.len() {
let pt = paging_allocate(os)?; let pt = paging_allocate(os)?;
pd[pd_idx] = pt.as_ptr() as u64 | WRITABLE | PRESENT; pd[pd_idx] = pt.as_ptr() as u64 | WRITABLE | PRESENT;
pd_idx += 1; pd_idx += 1;
let mut pt_idx = 0; let mut pt_idx = 0;
while kernel_mapped < kernel_size && pt_idx < pt.len() { while kernel_mapped < kernel_size && pt_idx < pt.len() {
let addr = kernel_phys + kernel_mapped; let addr = kernel_phys + kernel_mapped;
pt[pt_idx] = addr | WRITABLE | PRESENT; pt[pt_idx] = addr | WRITABLE | PRESENT;
pt_idx += 1; pt_idx += 1;
kernel_mapped += PAGE_SIZE as u64; kernel_mapped += PAGE_SIZE as u64;
} }
} }
assert!(kernel_mapped >= kernel_size); assert!(kernel_mapped >= kernel_size);
} }
Some(pml4.as_ptr() as usize) Some(pml4.as_ptr() as usize)
} }
pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>( pub unsafe fn paging_framebuffer<D: Disk, V: Iterator<Item = OsVideoMode>>(
os: &dyn Os<D, V>, os: &dyn Os<D, V>,
page_phys: usize, page_phys: usize,
framebuffer_phys: u64, framebuffer_phys: u64,
framebuffer_size: u64, framebuffer_size: u64,
) -> Option<u64> { ) -> Option<u64> {
//TODO: smarter test for framebuffer already mapped //TODO: smarter test for framebuffer already mapped
if framebuffer_phys + framebuffer_size <= 0x2_0000_0000 { if framebuffer_phys + framebuffer_size <= 0x2_0000_0000 {
return Some(framebuffer_phys + PHYS_OFFSET); return Some(framebuffer_phys + PHYS_OFFSET);
} }
let pml4_i = ((framebuffer_phys / 0x80_0000_0000) + 256) as usize; let pml4_i = ((framebuffer_phys / 0x80_0000_0000) + 256) as usize;
let mut pdp_i = ((framebuffer_phys % 0x80_0000_0000) / 0x4000_0000) as usize; let mut pdp_i = ((framebuffer_phys % 0x80_0000_0000) / 0x4000_0000) as usize;
let mut pd_i = ((framebuffer_phys % 0x4000_0000) / 0x20_0000) as usize; let mut pd_i = ((framebuffer_phys % 0x4000_0000) / 0x20_0000) as usize;
assert_eq!(framebuffer_phys % 0x20_0000, 0); assert_eq!(framebuffer_phys % 0x20_0000, 0);
let pml4 = slice::from_raw_parts_mut(page_phys as *mut u64, PAGE_ENTRIES); let pml4 = slice::from_raw_parts_mut(page_phys as *mut u64, PAGE_ENTRIES);
// Create PDP for framebuffer mapping // Create PDP for framebuffer mapping
let pdp = if pml4[pml4_i] == 0 { let pdp = if pml4[pml4_i] == 0 {
let pdp = paging_allocate(os)?; let pdp = paging_allocate(os)?;
pml4[pml4_i] = pdp.as_ptr() as u64 | 1 << 1 | 1; pml4[pml4_i] = pdp.as_ptr() as u64 | 1 << 1 | 1;
pdp pdp
} else { } else {
slice::from_raw_parts_mut( slice::from_raw_parts_mut(
(pml4[pml4_i] & ENTRY_ADDRESS_MASK) as *mut u64, (pml4[pml4_i] & ENTRY_ADDRESS_MASK) as *mut u64,
PAGE_ENTRIES, PAGE_ENTRIES,
) )
}; };
// Map framebuffer_size at framebuffer offset // Map framebuffer_size at framebuffer offset
let mut framebuffer_mapped = 0; let mut framebuffer_mapped = 0;
while framebuffer_mapped < framebuffer_size && pdp_i < pdp.len() { while framebuffer_mapped < framebuffer_size && pdp_i < pdp.len() {
let pd = paging_allocate(os)?; let pd = paging_allocate(os)?;
assert_eq!(pdp[pdp_i], 0); assert_eq!(pdp[pdp_i], 0);
pdp[pdp_i] = pd.as_ptr() as u64 | 1 << 1 | 1; pdp[pdp_i] = pd.as_ptr() as u64 | 1 << 1 | 1;
while framebuffer_mapped < framebuffer_size && pd_i < pd.len() { while framebuffer_mapped < framebuffer_size && pd_i < pd.len() {
let addr = framebuffer_phys + framebuffer_mapped; let addr = framebuffer_phys + framebuffer_mapped;
assert_eq!(pd[pd_i], 0); assert_eq!(pd[pd_i], 0);
pd[pd_i] = addr | 1 << 7 | 1 << 1 | 1; pd[pd_i] = addr | 1 << 7 | 1 << 1 | 1;
framebuffer_mapped += 0x20_0000; framebuffer_mapped += 0x20_0000;
pd_i += 1; pd_i += 1;
} }
pdp_i += 1; pdp_i += 1;
pd_i = 0; pd_i = 0;
} }
assert!(framebuffer_mapped >= framebuffer_size); assert!(framebuffer_mapped >= framebuffer_size);
Some(framebuffer_phys + PHYS_OFFSET) Some(framebuffer_phys + PHYS_OFFSET)
} }

View File

@ -15,161 +15,161 @@ const MAX_BLOCKS: u64 = MAX_SECTORS * SECTOR_SIZE / BLOCK_SIZE;
#[derive(Clone, Copy)] #[derive(Clone, Copy)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct DiskAddressPacket { pub struct DiskAddressPacket {
size: u8, size: u8,
reserved: u8, reserved: u8,
sectors: u16, sectors: u16,
buffer: u16, buffer: u16,
segment: u16, segment: u16,
address: u64, address: u64,
} }
impl DiskAddressPacket { impl DiskAddressPacket {
pub fn from_block(block: u64, count: u64) -> DiskAddressPacket { pub fn from_block(block: u64, count: u64) -> DiskAddressPacket {
let address = block * BLOCKS_PER_SECTOR; let address = block * BLOCKS_PER_SECTOR;
let sectors = count * BLOCKS_PER_SECTOR; let sectors = count * BLOCKS_PER_SECTOR;
assert!(sectors <= MAX_SECTORS); assert!(sectors <= MAX_SECTORS);
DiskAddressPacket { DiskAddressPacket {
size: mem::size_of::<DiskAddressPacket>() as u8, size: mem::size_of::<DiskAddressPacket>() as u8,
reserved: 0, reserved: 0,
sectors: sectors as u16, sectors: sectors as u16,
buffer: (DISK_BIOS_ADDR & 0xF) as u16, buffer: (DISK_BIOS_ADDR & 0xF) as u16,
segment: (DISK_BIOS_ADDR >> 4) as u16, segment: (DISK_BIOS_ADDR >> 4) as u16,
address, address,
} }
} }
} }
pub struct DiskBios { pub struct DiskBios {
boot_disk: u8, boot_disk: u8,
thunk13: extern "C" fn(), thunk13: extern "C" fn(),
chs_opt: Option<(u32, u32, u32)>, chs_opt: Option<(u32, u32, u32)>,
} }
impl DiskBios { impl DiskBios {
pub fn new(boot_disk: u8, thunk13: extern "C" fn()) -> Self { pub fn new(boot_disk: u8, thunk13: extern "C" fn()) -> Self {
let chs_opt = unsafe { let chs_opt = unsafe {
let mut data = ThunkData::new(); let mut data = ThunkData::new();
data.eax = 0x4100; data.eax = 0x4100;
data.ebx = 0x55AA; data.ebx = 0x55AA;
data.edx = boot_disk as u32; data.edx = boot_disk as u32;
data.with(thunk13); data.with(thunk13);
if (data.ebx & 0xFFFF) == 0xAA55 { if (data.ebx & 0xFFFF) == 0xAA55 {
// Extensions are installed, do not use CHS // Extensions are installed, do not use CHS
None None
} else { } else {
// Extensions are not installed, get CHS geometry // Extensions are not installed, get CHS geometry
data = ThunkData::new(); data = ThunkData::new();
data.eax = 0x0800; data.eax = 0x0800;
data.edx = boot_disk as u32; data.edx = boot_disk as u32;
data.edi = 0; data.edi = 0;
data.with(thunk13); data.with(thunk13);
//TODO: return result on error //TODO: return result on error
let ah = ({ data.eax } >> 8) & 0xFF; let ah = ({ data.eax } >> 8) & 0xFF;
assert_eq!(ah, 0); assert_eq!(ah, 0);
let c = (data.ecx >> 8) & 0xFF | ((data.ecx >> 6) & 0x3) << 8; let c = (data.ecx >> 8) & 0xFF | ((data.ecx >> 6) & 0x3) << 8;
let h = ((data.edx >> 8) & 0xFF) + 1; let h = ((data.edx >> 8) & 0xFF) + 1;
let s = data.ecx & 0x3F; let s = data.ecx & 0x3F;
Some((c, h, s)) Some((c, h, s))
} }
}; };
Self { Self {
boot_disk, boot_disk,
thunk13, thunk13,
chs_opt, chs_opt,
} }
} }
} }
impl Disk for DiskBios { impl Disk for DiskBios {
unsafe fn read_at(&mut self, block: u64, buffer: &mut [u8]) -> Result<usize> { unsafe fn read_at(&mut self, block: u64, buffer: &mut [u8]) -> Result<usize> {
// Optimization for live disks // Optimization for live disks
if let Some(live) = crate::LIVE_OPT { if let Some(live) = crate::LIVE_OPT {
if block >= live.0 { if block >= live.0 {
let start = ((block - live.0) * BLOCK_SIZE) as usize; let start = ((block - live.0) * BLOCK_SIZE) as usize;
let end = start + buffer.len(); let end = start + buffer.len();
if end <= live.1.len() { if end <= live.1.len() {
buffer.copy_from_slice(&live.1[start..end]); buffer.copy_from_slice(&live.1[start..end]);
return Ok(buffer.len()); return Ok(buffer.len());
} }
} }
} }
for (i, chunk) in buffer for (i, chunk) in buffer
.chunks_mut((MAX_BLOCKS * BLOCK_SIZE) as usize) .chunks_mut((MAX_BLOCKS * BLOCK_SIZE) as usize)
.enumerate() .enumerate()
{ {
let dap = DiskAddressPacket::from_block( let dap = DiskAddressPacket::from_block(
block + i as u64 * MAX_BLOCKS, block + i as u64 * MAX_BLOCKS,
chunk.len() as u64 / BLOCK_SIZE, chunk.len() as u64 / BLOCK_SIZE,
); );
if let Some((_, h_max, s_max)) = self.chs_opt { if let Some((_, h_max, s_max)) = self.chs_opt {
let s = (dap.address % s_max as u64) + 1; let s = (dap.address % s_max as u64) + 1;
assert!(s <= 63, "invalid sector {}", s); assert!(s <= 63, "invalid sector {}", s);
let tmp = dap.address / s_max as u64; let tmp = dap.address / s_max as u64;
let h = tmp % h_max as u64; let h = tmp % h_max as u64;
assert!(h <= 255, "invalid head {}", h); assert!(h <= 255, "invalid head {}", h);
let c = tmp / h_max as u64; let c = tmp / h_max as u64;
assert!(c <= 1023, "invalid cylinder {}", c); assert!(c <= 1023, "invalid cylinder {}", c);
let mut data = ThunkData::new(); let mut data = ThunkData::new();
data.eax = 0x0200 | (dap.sectors as u32); data.eax = 0x0200 | (dap.sectors as u32);
data.ebx = dap.buffer as u32; data.ebx = dap.buffer as u32;
data.ecx = data.ecx =
(s as u32) | (((c as u32) & 0xFF) << 8) | ((((c as u32) >> 8) & 0x3) << 6); (s as u32) | (((c as u32) & 0xFF) << 8) | ((((c as u32) >> 8) & 0x3) << 6);
data.edx = (self.boot_disk as u32) | ((h as u32) << 8); data.edx = (self.boot_disk as u32) | ((h as u32) << 8);
data.es = dap.segment; data.es = dap.segment;
data.with(self.thunk13); data.with(self.thunk13);
//TODO: return result on error //TODO: return result on error
let ah = ({ data.eax } >> 8) & 0xFF; let ah = ({ data.eax } >> 8) & 0xFF;
assert_eq!(ah, 0); assert_eq!(ah, 0);
} else { } else {
ptr::write(DISK_ADDRESS_PACKET_ADDR as *mut DiskAddressPacket, dap); ptr::write(DISK_ADDRESS_PACKET_ADDR as *mut DiskAddressPacket, dap);
let mut data = ThunkData::new(); let mut data = ThunkData::new();
data.eax = 0x4200; data.eax = 0x4200;
data.edx = self.boot_disk as u32; data.edx = self.boot_disk as u32;
data.esi = DISK_ADDRESS_PACKET_ADDR as u32; data.esi = DISK_ADDRESS_PACKET_ADDR as u32;
data.with(self.thunk13); data.with(self.thunk13);
//TODO: return result on error //TODO: return result on error
let ah = ({ data.eax } >> 8) & 0xFF; let ah = ({ data.eax } >> 8) & 0xFF;
assert_eq!(ah, 0); assert_eq!(ah, 0);
//TODO: check blocks transferred //TODO: check blocks transferred
// dap = ptr::read(DISK_ADDRESS_PACKET_ADDR as *mut DiskAddressPacket); // dap = ptr::read(DISK_ADDRESS_PACKET_ADDR as *mut DiskAddressPacket);
} }
ptr::copy(DISK_BIOS_ADDR as *const u8, chunk.as_mut_ptr(), chunk.len()); ptr::copy(DISK_BIOS_ADDR as *const u8, chunk.as_mut_ptr(), chunk.len());
} }
Ok(buffer.len()) Ok(buffer.len())
} }
unsafe fn write_at(&mut self, block: u64, buffer: &[u8]) -> Result<usize> { unsafe fn write_at(&mut self, block: u64, buffer: &[u8]) -> Result<usize> {
log::error!( log::error!(
"DiskBios::write_at(0x{:X}, 0x{:X}:0x{:X}) not allowed", "DiskBios::write_at(0x{:X}, 0x{:X}:0x{:X}) not allowed",
block, block,
buffer.as_ptr() as usize, buffer.as_ptr() as usize,
buffer.len() buffer.len()
); );
Err(Error::new(EIO)) Err(Error::new(EIO))
} }
fn size(&mut self) -> Result<u64> { fn size(&mut self) -> Result<u64> {
log::error!("DiskBios::size not implemented"); log::error!("DiskBios::size not implemented");
Err(Error::new(EIO)) Err(Error::new(EIO))
} }
} }

View File

@ -7,78 +7,78 @@ use super::{thunk::ThunkData, MEMORY_MAP_ADDR};
#[repr(C, packed)] #[repr(C, packed)]
struct MemoryMapEntry { struct MemoryMapEntry {
pub base: u64, pub base: u64,
pub size: u64, pub size: u64,
pub kind: u32, pub kind: u32,
} }
pub struct MemoryMapIter { pub struct MemoryMapIter {
thunk15: extern "C" fn(), thunk15: extern "C" fn(),
data: ThunkData, data: ThunkData,
first: bool, first: bool,
} }
impl MemoryMapIter { impl MemoryMapIter {
pub fn new(thunk15: extern "C" fn()) -> Self { pub fn new(thunk15: extern "C" fn()) -> Self {
Self { Self {
thunk15, thunk15,
data: ThunkData::new(), data: ThunkData::new(),
first: true, first: true,
} }
} }
} }
impl Iterator for MemoryMapIter { impl Iterator for MemoryMapIter {
type Item = OsMemoryEntry; type Item = OsMemoryEntry;
fn next(&mut self) -> Option<Self::Item> { fn next(&mut self) -> Option<Self::Item> {
if self.first { if self.first {
self.first = false; self.first = false;
} else if self.data.ebx == 0 { } else if self.data.ebx == 0 {
return None; return None;
} }
self.data.eax = 0xE820; self.data.eax = 0xE820;
self.data.ecx = mem::size_of::<MemoryMapEntry>() as u32; self.data.ecx = mem::size_of::<MemoryMapEntry>() as u32;
self.data.edx = 0x534D4150; self.data.edx = 0x534D4150;
self.data.edi = MEMORY_MAP_ADDR as u32; self.data.edi = MEMORY_MAP_ADDR as u32;
unsafe { unsafe {
self.data.with(self.thunk15); self.data.with(self.thunk15);
} }
//TODO: return error? //TODO: return error?
assert_eq!({ self.data.eax }, 0x534D4150); assert_eq!({ self.data.eax }, 0x534D4150);
assert_eq!({ self.data.ecx }, mem::size_of::<MemoryMapEntry>() as u32); assert_eq!({ self.data.ecx }, mem::size_of::<MemoryMapEntry>() as u32);
let entry = unsafe { ptr::read(MEMORY_MAP_ADDR as *const MemoryMapEntry) }; let entry = unsafe { ptr::read(MEMORY_MAP_ADDR as *const MemoryMapEntry) };
Some(Self::Item { Some(Self::Item {
base: entry.base, base: entry.base,
size: entry.size, size: entry.size,
kind: match entry.kind { kind: match entry.kind {
0 => OsMemoryKind::Null, 0 => OsMemoryKind::Null,
1 => OsMemoryKind::Free, 1 => OsMemoryKind::Free,
3 => OsMemoryKind::Reclaim, 3 => OsMemoryKind::Reclaim,
_ => OsMemoryKind::Reserved, _ => OsMemoryKind::Reserved,
}, },
}) })
} }
} }
pub unsafe fn memory_map(thunk15: extern "C" fn()) -> Option<(usize, usize)> { pub unsafe fn memory_map(thunk15: extern "C" fn()) -> Option<(usize, usize)> {
let mut heap_limits = None; let mut heap_limits = None;
for entry in MemoryMapIter::new(thunk15) { for entry in MemoryMapIter::new(thunk15) {
let heap_start = 1 * 1024 * 1024; let heap_start = 1 * 1024 * 1024;
if { entry.kind } == OsMemoryKind::Free if { entry.kind } == OsMemoryKind::Free
&& entry.base <= heap_start as u64 && entry.base <= heap_start as u64
&& (entry.base + entry.size) >= heap_start as u64 && (entry.base + entry.size) >= heap_start as u64
{ {
let heap_end = cmp::min(entry.base + entry.size, usize::MAX as u64) as usize; let heap_end = cmp::min(entry.base + entry.size, usize::MAX as u64) as usize;
if heap_end >= heap_start { if heap_end >= heap_start {
heap_limits = Some((heap_start, heap_end - heap_start)); heap_limits = Some((heap_start, heap_end - heap_start));
} }
} }
area_add(entry); area_add(entry);
} }
heap_limits heap_limits
} }

View File

@ -6,41 +6,41 @@ use super::THUNK_STACK_ADDR;
#[derive(Clone, Copy, Debug)] #[derive(Clone, Copy, Debug)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct ThunkData { pub struct ThunkData {
pub es: u16, pub es: u16,
pub edi: u32, pub edi: u32,
pub esi: u32, pub esi: u32,
pub ebp: u32, pub ebp: u32,
pub ebx: u32, pub ebx: u32,
pub edx: u32, pub edx: u32,
pub ecx: u32, pub ecx: u32,
pub eax: u32, pub eax: u32,
} }
impl ThunkData { impl ThunkData {
pub fn new() -> Self { pub fn new() -> Self {
Self { Self {
es: 0, es: 0,
edi: 0, edi: 0,
esi: 0, esi: 0,
ebp: 0, ebp: 0,
ebx: 0, ebx: 0,
edx: 0, edx: 0,
ecx: 0, ecx: 0,
eax: 0, eax: 0,
} }
} }
pub unsafe fn save(&self) { pub unsafe fn save(&self) {
ptr::write((THUNK_STACK_ADDR - 64) as *mut ThunkData, *self); ptr::write((THUNK_STACK_ADDR - 64) as *mut ThunkData, *self);
} }
pub unsafe fn load(&mut self) { pub unsafe fn load(&mut self) {
*self = ptr::read((THUNK_STACK_ADDR - 64) as *const ThunkData); *self = ptr::read((THUNK_STACK_ADDR - 64) as *const ThunkData);
} }
pub unsafe fn with(&mut self, f: extern "C" fn()) { pub unsafe fn with(&mut self, f: extern "C" fn()) {
self.save(); self.save();
f(); f();
self.load(); self.load();
} }
} }

View File

@ -8,144 +8,144 @@ use super::{ThunkData, VBE_CARD_INFO_ADDR, VBE_MODE_INFO_ADDR};
#[derive(Clone, Copy, Debug)] #[derive(Clone, Copy, Debug)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct VbeFarPtr { pub struct VbeFarPtr {
pub offset: u16, pub offset: u16,
pub segment: u16, pub segment: u16,
} }
impl VbeFarPtr { impl VbeFarPtr {
pub unsafe fn as_ptr<T>(&self) -> *const T { pub unsafe fn as_ptr<T>(&self) -> *const T {
(((self.segment as usize) << 4) + (self.offset as usize)) as *const T (((self.segment as usize) << 4) + (self.offset as usize)) as *const T
} }
} }
#[derive(Clone, Copy, Debug)] #[derive(Clone, Copy, Debug)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct VbeCardInfo { pub struct VbeCardInfo {
pub signature: [u8; 4], pub signature: [u8; 4],
pub version: u16, pub version: u16,
pub oemstring: VbeFarPtr, pub oemstring: VbeFarPtr,
pub capabilities: [u8; 4], pub capabilities: [u8; 4],
pub videomodeptr: VbeFarPtr, pub videomodeptr: VbeFarPtr,
pub totalmemory: u16, pub totalmemory: u16,
pub oemsoftwarerev: u16, pub oemsoftwarerev: u16,
pub oemvendornameptr: VbeFarPtr, pub oemvendornameptr: VbeFarPtr,
pub oemproductnameptr: VbeFarPtr, pub oemproductnameptr: VbeFarPtr,
pub oemproductrevptr: VbeFarPtr, pub oemproductrevptr: VbeFarPtr,
pub reserved: [u8; 222], pub reserved: [u8; 222],
pub oemdata: [u8; 256], pub oemdata: [u8; 256],
} }
#[derive(Clone, Copy, Debug)] #[derive(Clone, Copy, Debug)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct VbeModeInfo { pub struct VbeModeInfo {
pub attributes: u16, pub attributes: u16,
pub win_a: u8, pub win_a: u8,
pub win_b: u8, pub win_b: u8,
pub granularity: u16, pub granularity: u16,
pub winsize: u16, pub winsize: u16,
pub segment_a: u16, pub segment_a: u16,
pub segment_b: u16, pub segment_b: u16,
pub winfuncptr: u32, pub winfuncptr: u32,
pub bytesperscanline: u16, pub bytesperscanline: u16,
pub xresolution: u16, pub xresolution: u16,
pub yresolution: u16, pub yresolution: u16,
pub xcharsize: u8, pub xcharsize: u8,
pub ycharsize: u8, pub ycharsize: u8,
pub numberofplanes: u8, pub numberofplanes: u8,
pub bitsperpixel: u8, pub bitsperpixel: u8,
pub numberofbanks: u8, pub numberofbanks: u8,
pub memorymodel: u8, pub memorymodel: u8,
pub banksize: u8, pub banksize: u8,
pub numberofimagepages: u8, pub numberofimagepages: u8,
pub unused: u8, pub unused: u8,
pub redmasksize: u8, pub redmasksize: u8,
pub redfieldposition: u8, pub redfieldposition: u8,
pub greenmasksize: u8, pub greenmasksize: u8,
pub greenfieldposition: u8, pub greenfieldposition: u8,
pub bluemasksize: u8, pub bluemasksize: u8,
pub bluefieldposition: u8, pub bluefieldposition: u8,
pub rsvdmasksize: u8, pub rsvdmasksize: u8,
pub rsvdfieldposition: u8, pub rsvdfieldposition: u8,
pub directcolormodeinfo: u8, pub directcolormodeinfo: u8,
pub physbaseptr: u32, pub physbaseptr: u32,
pub offscreenmemoryoffset: u32, pub offscreenmemoryoffset: u32,
pub offscreenmemsize: u16, pub offscreenmemsize: u16,
pub reserved: [u8; 206], pub reserved: [u8; 206],
} }
pub struct VideoModeIter { pub struct VideoModeIter {
thunk10: extern "C" fn(), thunk10: extern "C" fn(),
mode_ptr: *const u16, mode_ptr: *const u16,
} }
impl VideoModeIter { impl VideoModeIter {
pub fn new(thunk10: extern "C" fn()) -> Self { pub fn new(thunk10: extern "C" fn()) -> Self {
// Get card info // Get card info
let mut data = ThunkData::new(); let mut data = ThunkData::new();
data.eax = 0x4F00; data.eax = 0x4F00;
data.edi = VBE_CARD_INFO_ADDR as u32; data.edi = VBE_CARD_INFO_ADDR as u32;
unsafe { unsafe {
data.with(thunk10); data.with(thunk10);
} }
let mode_ptr = if data.eax == 0x004F { let mode_ptr = if data.eax == 0x004F {
let card_info = unsafe { ptr::read(VBE_CARD_INFO_ADDR as *const VbeCardInfo) }; let card_info = unsafe { ptr::read(VBE_CARD_INFO_ADDR as *const VbeCardInfo) };
unsafe { card_info.videomodeptr.as_ptr::<u16>() } unsafe { card_info.videomodeptr.as_ptr::<u16>() }
} else { } else {
error!("Failed to read VBE card info: 0x{:04X}", { data.eax }); error!("Failed to read VBE card info: 0x{:04X}", { data.eax });
ptr::null() ptr::null()
}; };
Self { thunk10, mode_ptr } Self { thunk10, mode_ptr }
} }
} }
impl Iterator for VideoModeIter { impl Iterator for VideoModeIter {
type Item = OsVideoMode; type Item = OsVideoMode;
fn next(&mut self) -> Option<Self::Item> { fn next(&mut self) -> Option<Self::Item> {
if self.mode_ptr.is_null() { if self.mode_ptr.is_null() {
return None; return None;
} }
loop { loop {
// Set bit 14 to get linear frame buffer // Set bit 14 to get linear frame buffer
let mode = unsafe { *self.mode_ptr } | (1 << 14); let mode = unsafe { *self.mode_ptr } | (1 << 14);
if mode == 0xFFFF { if mode == 0xFFFF {
return None; return None;
} }
self.mode_ptr = unsafe { self.mode_ptr.add(1) }; self.mode_ptr = unsafe { self.mode_ptr.add(1) };
// Get mode info // Get mode info
let mut data = ThunkData::new(); let mut data = ThunkData::new();
data.eax = 0x4F01; data.eax = 0x4F01;
data.ecx = mode as u32; data.ecx = mode as u32;
data.edi = VBE_MODE_INFO_ADDR as u32; data.edi = VBE_MODE_INFO_ADDR as u32;
unsafe { unsafe {
data.with(self.thunk10); data.with(self.thunk10);
} }
if data.eax == 0x004F { if data.eax == 0x004F {
let mode_info = unsafe { ptr::read(VBE_MODE_INFO_ADDR as *const VbeModeInfo) }; let mode_info = unsafe { ptr::read(VBE_MODE_INFO_ADDR as *const VbeModeInfo) };
// We only support 32-bits per pixel modes // We only support 32-bits per pixel modes
if mode_info.bitsperpixel != 32 { if mode_info.bitsperpixel != 32 {
continue; continue;
} }
let width = mode_info.xresolution as u32; let width = mode_info.xresolution as u32;
let height = mode_info.yresolution as u32; let height = mode_info.yresolution as u32;
//TODO: support stride that is not a multiple of 4 //TODO: support stride that is not a multiple of 4
let stride = mode_info.bytesperscanline as u32 / 4; let stride = mode_info.bytesperscanline as u32 / 4;
return Some(OsVideoMode { return Some(OsVideoMode {
id: mode as u32, id: mode as u32,
width, width,
height, height,
stride, stride,
base: mode_info.physbaseptr as u64, base: mode_info.physbaseptr as u64,
}); });
} else { } else {
error!("Failed to read VBE mode 0x{:04X} info: 0x{:04X}", mode, { error!("Failed to read VBE mode 0x{:04X} info: 0x{:04X}", mode, {
data.eax data.eax
}); });
} }
} }
} }
} }

View File

@ -3,117 +3,117 @@ use core::{fmt, slice};
#[derive(Clone, Copy)] #[derive(Clone, Copy)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct VgaTextBlock { pub struct VgaTextBlock {
pub char: u8, pub char: u8,
pub color: u8, pub color: u8,
} }
#[allow(dead_code)] #[allow(dead_code)]
#[derive(Clone, Copy)] #[derive(Clone, Copy)]
#[repr(u8)] #[repr(u8)]
pub enum VgaTextColor { pub enum VgaTextColor {
Black = 0, Black = 0,
Blue = 1, Blue = 1,
Green = 2, Green = 2,
Cyan = 3, Cyan = 3,
Red = 4, Red = 4,
Purple = 5, Purple = 5,
Brown = 6, Brown = 6,
Gray = 7, Gray = 7,
DarkGray = 8, DarkGray = 8,
LightBlue = 9, LightBlue = 9,
LightGreen = 10, LightGreen = 10,
LightCyan = 11, LightCyan = 11,
LightRed = 12, LightRed = 12,
LightPurple = 13, LightPurple = 13,
Yellow = 14, Yellow = 14,
White = 15, White = 15,
} }
pub struct Vga { pub struct Vga {
pub base: usize, pub base: usize,
pub width: usize, pub width: usize,
pub height: usize, pub height: usize,
pub x: usize, pub x: usize,
pub y: usize, pub y: usize,
pub bg: VgaTextColor, pub bg: VgaTextColor,
pub fg: VgaTextColor, pub fg: VgaTextColor,
} }
impl Vga { impl Vga {
pub const unsafe fn new(base: usize, width: usize, height: usize) -> Self { pub const unsafe fn new(base: usize, width: usize, height: usize) -> Self {
Self { Self {
base, base,
width, width,
height, height,
x: 0, x: 0,
y: 0, y: 0,
bg: VgaTextColor::Black, bg: VgaTextColor::Black,
fg: VgaTextColor::Gray, fg: VgaTextColor::Gray,
} }
} }
pub unsafe fn blocks(&mut self) -> &'static mut [VgaTextBlock] { pub unsafe fn blocks(&mut self) -> &'static mut [VgaTextBlock] {
slice::from_raw_parts_mut(self.base as *mut VgaTextBlock, self.width * self.height) slice::from_raw_parts_mut(self.base as *mut VgaTextBlock, self.width * self.height)
} }
pub fn clear(&mut self) { pub fn clear(&mut self) {
self.x = 0; self.x = 0;
self.y = 0; self.y = 0;
let blocks = unsafe { self.blocks() }; let blocks = unsafe { self.blocks() };
for i in 0..blocks.len() { for i in 0..blocks.len() {
blocks[i] = VgaTextBlock { blocks[i] = VgaTextBlock {
char: 0, char: 0,
color: ((self.bg as u8) << 4) | (self.fg as u8), color: ((self.bg as u8) << 4) | (self.fg as u8),
}; };
} }
} }
} }
impl fmt::Write for Vga { impl fmt::Write for Vga {
fn write_str(&mut self, s: &str) -> Result<(), fmt::Error> { fn write_str(&mut self, s: &str) -> Result<(), fmt::Error> {
let blocks = unsafe { self.blocks() }; let blocks = unsafe { self.blocks() };
for c in s.chars() { for c in s.chars() {
if self.x >= self.width { if self.x >= self.width {
self.x = 0; self.x = 0;
self.y += 1; self.y += 1;
} }
while self.y >= self.height { while self.y >= self.height {
for y in 1..self.height { for y in 1..self.height {
for x in 0..self.width { for x in 0..self.width {
let i = y * self.width + x; let i = y * self.width + x;
let j = i - self.width; let j = i - self.width;
blocks[j] = blocks[i]; blocks[j] = blocks[i];
if y + 1 == self.height { if y + 1 == self.height {
blocks[i].char = 0; blocks[i].char = 0;
} }
} }
} }
self.y -= 1; self.y -= 1;
} }
match c { match c {
'\x08' => { '\x08' => {
if self.x > 0 { if self.x > 0 {
self.x -= 1; self.x -= 1;
} }
} }
'\r' => { '\r' => {
self.x = 0; self.x = 0;
} }
'\n' => { '\n' => {
self.x = 0; self.x = 0;
self.y += 1; self.y += 1;
} }
_ => { _ => {
let i = self.y * self.width + self.x; let i = self.y * self.width + self.x;
if let Some(block) = blocks.get_mut(i) { if let Some(block) = blocks.get_mut(i) {
block.char = c as u8; block.char = c as u8;
block.color = ((self.bg as u8) << 4) | (self.fg as u8); block.color = ((self.bg as u8) << 4) | (self.fg as u8);
} }
self.x += 1; self.x += 1;
} }
} }
} }
Ok(()) Ok(())
} }
} }

View File

@ -7,136 +7,136 @@ use syscall::io::Pio;
use syscall::io::{Io, Mmio, ReadOnly}; use syscall::io::{Io, Mmio, ReadOnly};
bitflags! { bitflags! {
/// Interrupt enable flags /// Interrupt enable flags
struct IntEnFlags: u8 { struct IntEnFlags: u8 {
const RECEIVED = 1; const RECEIVED = 1;
const SENT = 1 << 1; const SENT = 1 << 1;
const ERRORED = 1 << 2; const ERRORED = 1 << 2;
const STATUS_CHANGE = 1 << 3; const STATUS_CHANGE = 1 << 3;
// 4 to 7 are unused // 4 to 7 are unused
} }
} }
bitflags! { bitflags! {
/// Line status flags /// Line status flags
struct LineStsFlags: u8 { struct LineStsFlags: u8 {
const INPUT_FULL = 1; const INPUT_FULL = 1;
// 1 to 4 unknown // 1 to 4 unknown
const OUTPUT_EMPTY = 1 << 5; const OUTPUT_EMPTY = 1 << 5;
// 6 and 7 unknown // 6 and 7 unknown
} }
} }
#[allow(dead_code)] #[allow(dead_code)]
#[repr(C, packed)] #[repr(C, packed)]
pub struct SerialPort<T: Io> { pub struct SerialPort<T: Io> {
/// Data register, read to receive, write to send /// Data register, read to receive, write to send
data: T, data: T,
/// Interrupt enable /// Interrupt enable
int_en: T, int_en: T,
/// FIFO control /// FIFO control
fifo_ctrl: T, fifo_ctrl: T,
/// Line control /// Line control
line_ctrl: T, line_ctrl: T,
/// Modem control /// Modem control
modem_ctrl: T, modem_ctrl: T,
/// Line status /// Line status
line_sts: ReadOnly<T>, line_sts: ReadOnly<T>,
/// Modem status /// Modem status
modem_sts: ReadOnly<T>, modem_sts: ReadOnly<T>,
} }
#[cfg(any(target_arch = "x86", target_arch = "x86_64"))] #[cfg(any(target_arch = "x86", target_arch = "x86_64"))]
impl SerialPort<Pio<u8>> { impl SerialPort<Pio<u8>> {
pub const fn new(base: u16) -> SerialPort<Pio<u8>> { pub const fn new(base: u16) -> SerialPort<Pio<u8>> {
SerialPort { SerialPort {
data: Pio::new(base), data: Pio::new(base),
int_en: Pio::new(base + 1), int_en: Pio::new(base + 1),
fifo_ctrl: Pio::new(base + 2), fifo_ctrl: Pio::new(base + 2),
line_ctrl: Pio::new(base + 3), line_ctrl: Pio::new(base + 3),
modem_ctrl: Pio::new(base + 4), modem_ctrl: Pio::new(base + 4),
line_sts: ReadOnly::new(Pio::new(base + 5)), line_sts: ReadOnly::new(Pio::new(base + 5)),
modem_sts: ReadOnly::new(Pio::new(base + 6)), modem_sts: ReadOnly::new(Pio::new(base + 6)),
} }
} }
} }
impl SerialPort<Mmio<u32>> { impl SerialPort<Mmio<u32>> {
pub unsafe fn new(base: usize) -> &'static mut SerialPort<Mmio<u32>> { pub unsafe fn new(base: usize) -> &'static mut SerialPort<Mmio<u32>> {
&mut *(base as *mut Self) &mut *(base as *mut Self)
} }
} }
impl<T: Io> SerialPort<T> impl<T: Io> SerialPort<T>
where where
T::Value: From<u8> + TryInto<u8>, T::Value: From<u8> + TryInto<u8>,
{ {
pub fn init(&mut self) { pub fn init(&mut self) {
unsafe { unsafe {
//TODO: Cleanup //TODO: Cleanup
// FIXME: Fix UB if unaligned // FIXME: Fix UB if unaligned
(&mut *addr_of_mut!(self.int_en)).write(0x00.into()); (&mut *addr_of_mut!(self.int_en)).write(0x00.into());
(&mut *addr_of_mut!(self.line_ctrl)).write(0x80.into()); (&mut *addr_of_mut!(self.line_ctrl)).write(0x80.into());
(&mut *addr_of_mut!(self.data)).write(0x01.into()); (&mut *addr_of_mut!(self.data)).write(0x01.into());
(&mut *addr_of_mut!(self.int_en)).write(0x00.into()); (&mut *addr_of_mut!(self.int_en)).write(0x00.into());
(&mut *addr_of_mut!(self.line_ctrl)).write(0x03.into()); (&mut *addr_of_mut!(self.line_ctrl)).write(0x03.into());
(&mut *addr_of_mut!(self.fifo_ctrl)).write(0xC7.into()); (&mut *addr_of_mut!(self.fifo_ctrl)).write(0xC7.into());
(&mut *addr_of_mut!(self.modem_ctrl)).write(0x0B.into()); (&mut *addr_of_mut!(self.modem_ctrl)).write(0x0B.into());
(&mut *addr_of_mut!(self.int_en)).write(0x01.into()); (&mut *addr_of_mut!(self.int_en)).write(0x01.into());
} }
} }
fn line_sts(&self) -> LineStsFlags { fn line_sts(&self) -> LineStsFlags {
LineStsFlags::from_bits_truncate( LineStsFlags::from_bits_truncate(
(unsafe { &*addr_of!(self.line_sts) }.read() & 0xFF.into()) (unsafe { &*addr_of!(self.line_sts) }.read() & 0xFF.into())
.try_into() .try_into()
.unwrap_or(0), .unwrap_or(0),
) )
} }
pub fn receive(&mut self) -> Option<u8> { pub fn receive(&mut self) -> Option<u8> {
if self.line_sts().contains(LineStsFlags::INPUT_FULL) { if self.line_sts().contains(LineStsFlags::INPUT_FULL) {
Some( Some(
(unsafe { &*addr_of!(self.data) }.read() & 0xFF.into()) (unsafe { &*addr_of!(self.data) }.read() & 0xFF.into())
.try_into() .try_into()
.unwrap_or(0), .unwrap_or(0),
) )
} else { } else {
None None
} }
} }
pub fn send(&mut self, data: u8) { pub fn send(&mut self, data: u8) {
while !self.line_sts().contains(LineStsFlags::OUTPUT_EMPTY) {} while !self.line_sts().contains(LineStsFlags::OUTPUT_EMPTY) {}
unsafe { &mut *addr_of_mut!(self.data) }.write(data.into()) unsafe { &mut *addr_of_mut!(self.data) }.write(data.into())
} }
pub fn write(&mut self, buf: &[u8]) { pub fn write(&mut self, buf: &[u8]) {
for &b in buf { for &b in buf {
match b { match b {
8 | 0x7F => { 8 | 0x7F => {
self.send(8); self.send(8);
self.send(b' '); self.send(b' ');
self.send(8); self.send(8);
} }
b'\n' => { b'\n' => {
self.send(b'\r'); self.send(b'\r');
self.send(b'\n'); self.send(b'\n');
} }
_ => { _ => {
self.send(b); self.send(b);
} }
} }
} }
} }
} }
impl<T: Io> fmt::Write for SerialPort<T> impl<T: Io> fmt::Write for SerialPort<T>
where where
T::Value: From<u8> + TryInto<u8>, T::Value: From<u8> + TryInto<u8>,
{ {
fn write_str(&mut self, s: &str) -> Result<(), fmt::Error> { fn write_str(&mut self, s: &str) -> Result<(), fmt::Error> {
self.write(s.as_bytes()); self.write(s.as_bytes());
Ok(()) Ok(())
} }
} }