Compare commits

..

No commits in common. "10df1c6cfaecdb31ef13d503f24c61c635650b7e" and "9a5a004243d151fe039240d2d8373faeef68c948" have entirely different histories.

15 changed files with 202 additions and 257 deletions

7
.cargo/config.toml Normal file
View file

@ -0,0 +1,7 @@
[target.'cfg(target_os = "none")']
runner = "cargo run --package simple_boot --"
[alias]
kbuild = "build --target x86_64-custom.json -Zbuild-std=core -Zbuild-std-features=compiler-builtins-mem"
kimage = "run --target x86_64-custom.json -Zbuild-std=core -Zbuild-std-features=compiler-builtins-mem -- --no-run"
krun = "run --target x86_64-custom.json -Zbuild-std=core -Zbuild-std-features=compiler-builtins-mem"

View file

@ -11,12 +11,10 @@ spin = "0.9.1"
x86_64 = "0.14.10" x86_64 = "0.14.10"
rlibc = "1.0" rlibc = "1.0"
multiboot2 = { version = "0.14.0", optional = true } multiboot2 = { version = "0.14.0", optional = true }
linked_list_allocator = { version = "0.9.0", optional = true }
[dependencies.lazy_static] [dependencies.lazy_static]
version = "1.4.0" version = "1.4.0"
features = ["spin_no_std"] features = ["spin_no_std"]
[features] [features]
default = ["f_multiboot2", "f_ll_alloc"] default = ["f_multiboot2"]
f_multiboot2 = ["dep:multiboot2"] f_multiboot2 = ["dep:multiboot2"]
f_ll_alloc = ["dep:linked_list_allocator"]

View file

@ -22,7 +22,7 @@ clean:
run: $(final) $(iso) run: $(final) $(iso)
@qemu-system-$(arch) -bios $(efi_bios) -cdrom $(iso) \ @qemu-system-$(arch) -bios $(efi_bios) -cdrom $(iso) \
-chardev stdio,id=char0,mux=on,logfile=serial.log,signal=off \ -chardev stdio,id=char0,mux=on,logfile=serial.log,signal=off \
-serial chardev:char0 -mon chardev=char0 -m 512M -serial chardev:char0 -mon chardev=char0
quick_invalidate: quick_invalidate:
@echo "quick invalidation" @echo "quick invalidation"
@ -44,7 +44,7 @@ $(final): $(kernel) $(linker_script) $(assembly_object_files)
--gc-sections --gc-sections
$(kernel): $(kernel):
@RUST_TARGET_PATH=$(shell pwd) xargo build --target $(target) -Zbuild-std=core,alloc --features "f_multiboot2" @RUST_TARGET_PATH=$(shell pwd) xargo build --target $(target) -Zbuild-std=core,alloc
build/arch/$(arch)/%.o: arch/$(arch)/%.asm build/arch/$(arch)/%.o: arch/$(arch)/%.asm
@mkdir -p $(shell dirname $@) @mkdir -p $(shell dirname $@)

View file

@ -11,16 +11,6 @@ SECTIONS {
.text : .text :
{ {
*(.text .text.*) *(.text)
}
.rodata :
{
*(.rodata .rodata.*)
}
.data.rel.ro :
{
*(.data.rel.ro.local*) *(.data.rel.ro .data.rel.ro.*)
} }
} }

View file

@ -6,13 +6,16 @@ BdsDxe: starting Boot0001 "UEFI QEMU DVD-ROM QM00003 " from PciRoot(0x0)/Pci(0x1
WARNING: no console will be available to OS WARNING: no console will be available to OS
error: no suitable video mode found. error: no suitable video mode found.
using serial port 0 as console
welcome to wukkOS! welcome to wukkOS!
(c) 2022 Real Microsoft, LLC (c) 2022 Real Microsoft, LLC
initialising mapper...[OK] initialising memory maps...[OK]
initialising frame allocator...[OK] memory map:
initialising heap...[OK] 0 - a0000 : Available
testing heap...[OK] 100000 - 800000 : Available
808000 - 80b000 : Available
80c000 - 810000 : Available
900000 - 78ef000 : Available
7bff000 - 7f58000 : Available

55
src/allocator/mod.rs Normal file
View file

@ -0,0 +1,55 @@
use core::alloc::{GlobalAlloc, Layout};
use core::cell::UnsafeCell;
use core::ptr::null_mut;
use core::sync::atomic::AtomicUsize;
use core::sync::atomic::Ordering::SeqCst;
const ARENA_SIZE: usize = 128 * 1024;
const MAX_SUPPORTED_ALIGN: usize = 4096;
#[repr(C, align(4096))] // 4096 == MAX_SUPPORTED_ALIGN
struct SimpleAllocator {
arena: UnsafeCell<[u8; ARENA_SIZE]>,
remaining: AtomicUsize, // we allocate from the top, counting down
}
#[global_allocator]
static ALLOCATOR: SimpleAllocator = SimpleAllocator {
arena: UnsafeCell::new([0x55; ARENA_SIZE]),
remaining: AtomicUsize::new(ARENA_SIZE),
};
unsafe impl Sync for SimpleAllocator {}
unsafe impl GlobalAlloc for SimpleAllocator {
unsafe fn alloc(&self, layout: Layout) -> *mut u8 {
let size = layout.size();
let align = layout.align();
// `Layout` contract forbids making a `Layout` with align=0, or align not power of 2.
// So we can safely use a mask to ensure alignment without worrying about UB.
let align_mask_to_round_down = !(align - 1);
if align > MAX_SUPPORTED_ALIGN {
return null_mut();
}
let mut allocated = 0;
if self
.remaining
.fetch_update(SeqCst, SeqCst, |mut remaining| {
if size > remaining {
return None;
}
remaining -= size;
remaining &= align_mask_to_round_down;
allocated = remaining;
Some(remaining)
})
.is_err()
{
return null_mut();
};
(self.arena.get() as *mut u8).add(allocated)
}
unsafe fn dealloc(&self, _ptr: *mut u8, _layout: Layout) {}
}

View file

@ -1,54 +1,27 @@
use core::marker::PhantomData; use alloc::vec::Vec;
use crate::KernelArgs; use crate::KernelArgs;
#[cfg(feature = "f_multiboot2")] #[cfg(feature = "f_multiboot2")]
use multiboot2::{load, MemoryMapTag, BootInformation}; pub mod multiboot2;
pub struct KernelInfo { pub enum MemoryType {
kernel_start: u64, Available,
kernel_end: u64, Reserved,
safe_mem_start: u64, AcpiReclaimable,
#[cfg(feature = "f_multiboot2")] Nvs,
boot_info: BootInformation, BadMemory,
Kernel,
Bootloader,
Unknown(u32)
} }
impl KernelInfo { pub struct MemoryArea {
pub fn init_from_kernel_args(args: KernelArgs) -> Self { pub start: usize,
#[cfg(feature = "f_multiboot2")] pub end: usize,
{ pub area_type: MemoryType,
let boot_info = unsafe { load(args.multiboot_information_address) }.expect("failed to load multiboot2 information");
let elf_sections = boot_info.elf_sections_tag().expect("no elf sections tag");
let kernel_start = elf_sections.sections().map(|s| s.start_address()).min().unwrap();
let kernel_end = elf_sections.sections().map(|s| s.end_address()).max().unwrap();
// get end of multiboot for safe memory
let safe_mem_start = boot_info.start_address() + boot_info.total_size();
let kernel_info = KernelInfo {
kernel_start,
kernel_end,
safe_mem_start: safe_mem_start as u64,
boot_info,
};
kernel_info
}
} }
#[cfg(feature = "f_multiboot2")] pub trait KernelInfo {
pub fn get_memory_tag(&self) -> &MemoryMapTag { fn init_from_kernel_args(&mut self, args: KernelArgs);
let mm_tag = self.boot_info.memory_map_tag().expect("no memory map tag").clone(); fn get_memory_areas(&self) -> Vec<MemoryArea>;
mm_tag
}
#[cfg(feature = "f_multiboot2")]
pub fn memory_areas(&self) -> impl Iterator<Item = &multiboot2::MemoryArea> {
let mm_tag = self.boot_info.memory_map_tag().expect("ERR NO MEM MAP TAG!");
mm_tag.all_memory_areas()
}
pub fn is_safe_memory(&self, addr: u64) -> bool {
addr >= self.safe_mem_start && addr >= self.kernel_end
}
pub fn safe_memory_start(&self) -> u64 {
self.safe_mem_start
}
} }

View file

@ -0,0 +1,41 @@
extern crate multiboot2;
use alloc::vec;
use alloc::vec::Vec;
use multiboot2::{BootInformation, load, MemoryAreaType};
use crate::boot::{KernelInfo, MemoryArea, MemoryType};
use crate::KernelArgs;
#[derive(Default)]
pub struct Multiboot2Bootloader {
pub boot_info: Option<BootInformation>,
}
impl KernelInfo for Multiboot2Bootloader {
fn init_from_kernel_args(&mut self, args: KernelArgs) {
let boot_info = unsafe {
load(args.multiboot_information_address)
}.expect("invalid kernel args!");
self.boot_info = Some(boot_info);
}
fn get_memory_areas(&self) -> Vec<MemoryArea> {
let mut memory_areas = vec![];
let boot_info = self.boot_info.as_ref().unwrap();
let memory_map_tag = boot_info.memory_map_tag().expect("memory map tag required but not found!");
for area in memory_map_tag.memory_areas() {
memory_areas.push(MemoryArea {
start: area.start_address() as usize,
end: area.end_address() as usize,
area_type: match area.typ() {
MemoryAreaType::Available => MemoryType::Available,
MemoryAreaType::Reserved => MemoryType::Reserved,
MemoryAreaType::AcpiAvailable => MemoryType::AcpiReclaimable,
MemoryAreaType::ReservedHibernate => MemoryType::Reserved,
MemoryAreaType::Defective => MemoryType::BadMemory,
}
})
}
memory_areas
}
}

View file

@ -21,7 +21,7 @@ pub extern "x86-interrupt" fn double_fault(stack_frame: InterruptStackFrame, _er
loop {} loop {}
} }
pub extern "x86-interrupt" fn page_fault(stack_frame: InterruptStackFrame, error_code: PageFaultErrorCode) { pub extern "x86-interrupt" fn page_fault(stack_frame: InterruptStackFrame, error_code: PageFaultErrorCode) -> ! {
println!("---KERNEL FUCKY WUKKY UWU---"); println!("---KERNEL FUCKY WUKKY UWU---");
println!("page fault!"); println!("page fault!");
println!("accessed address: {:?}", Cr2::read()); println!("accessed address: {:?}", Cr2::read());

View file

@ -1,30 +1,33 @@
#![feature(abi_x86_interrupt)] #![feature(abi_x86_interrupt)]
#![feature(default_alloc_error_handler)] #![feature(default_alloc_error_handler)]
#![feature(panic_info_message)] #![feature(panic_info_message)]
#![feature(asm_const)]
#![feature(alloc_error_handler)]
#![no_std] #![no_std]
#![no_main] #![no_main]
extern crate rlibc; use alloc::boxed::Box;
extern crate alloc; use alloc::format;
use alloc::string::ToString;
use alloc::sync::Arc;
use allocator::*;
use alloc::rc::Rc; extern crate alloc;
use alloc::vec; extern crate rlibc;
use alloc::vec::Vec;
use spin::Mutex;
use core::arch::asm;
use core::ops::Deref;
use lazy_static::lazy_static; use lazy_static::lazy_static;
use core::panic::PanicInfo; use core::panic::PanicInfo;
use multiboot2::MemoryAreaType;
use spin::Mutex;
use x86_64::structures::idt::{InterruptDescriptorTable, InterruptStackFrame}; use x86_64::structures::idt::{InterruptDescriptorTable, InterruptStackFrame};
use x86_64::{PhysAddr, VirtAddr};
use x86_64::structures::paging::Translate;
use crate::boot::KernelInfo; use crate::boot::KernelInfo;
use crate::internals::WhyDoTheyCallItOvenWhenYouOfInTheColdFoodOfOutHotEatTheFood::*; use crate::internals::WhyDoTheyCallItOvenWhenYouOfInTheColdFoodOfOutHotEatTheFood::*;
use crate::serial::terminal::ST; use crate::serial::{Port, potential_serial_ports, terminal_helpers, terminal::ST};
mod font; mod font;
mod serial; mod serial;
mod internals; mod internals;
mod allocator;
mod security; mod security;
mod boot; mod boot;
mod memory; mod memory;
@ -43,33 +46,28 @@ lazy_static! {
const RAINBOW : [Colour; 6] = [Colour{r:255,g:0,b:0}, Colour{r:255,g:127,b:0}, Colour{r:255,g:255,b:0}, Colour{r:0,g:255,b:0}, Colour{r:0,g:255,b:255}, Colour{r:0,g:0,b:255}]; const RAINBOW : [Colour; 6] = [Colour{r:255,g:0,b:0}, Colour{r:255,g:127,b:0}, Colour{r:255,g:255,b:0}, Colour{r:0,g:255,b:0}, Colour{r:0,g:255,b:255}, Colour{r:0,g:0,b:255}];
#[alloc_error_handler]
fn alloc_error_handler(layout: alloc::alloc::Layout) -> ! {
panic!("allocation error: {:?}", layout)
}
#[panic_handler] #[panic_handler]
fn panic(info: &PanicInfo) -> ! { fn panic(info: &PanicInfo) -> ! {
println!("---KERNEL FUCKY WUKKY UWU (panic)---"); ST.logln("---KERNEL FUCKY WUKKY UWU (panic)---");
if let Some(s) = info.payload().downcast_ref::<&str>() { ST.logln(if let Some(s) = info.payload().downcast_ref::<&str>() {
println!("panic payload: {s:?}") format!("panic payload: {s:?}")
} else { } else {
println!("no panic payload") format!("no panic payload")
}; }.as_str());
if let Some(msg) = info.message() { ST.logln(if let Some(msg) = info.message() {
println!("panic msg: {}", msg.as_str().unwrap_or("no message")) format!("panic msg: {}", msg.as_str().unwrap_or("no message"))
} else { } else {
println!("no message"); "no message".to_string()
} }.as_str());
if let Some(location) = info.location() { ST.logln(if let Some(location) = info.location() {
println!("location: file {} line {}", location.file(), location.line()); format!("location: file {} line {}", location.file(), location.line())
} else { } else {
println!("no location"); "no location".to_string()
}; }.as_str());
loop {} loop {}
} }
#[repr(C)]
pub struct KernelArgs { pub struct KernelArgs {
#[cfg(feature = "f_multiboot2")] #[cfg(feature = "f_multiboot2")]
multiboot_information_address: usize multiboot_information_address: usize
@ -89,38 +87,38 @@ pub extern fn kernel_main(args: KernelArgs) -> ! {
if let Some(i) = console_port { if let Some(i) = console_port {
let port = &serial_ports.ports[i]; let port = &serial_ports.ports[i];
ST.init_from_port(*port); ST.init_from_port(*port);
println!("using serial port {} as console", i);
} }
let kern_info: Box<dyn boot::KernelInfo> = {
#[cfg(feature = "f_multiboot2")]
{
let mut kern_info = boot::multiboot2::Multiboot2Bootloader::default();
kern_info.init_from_kernel_args(args);
Box::new(kern_info)
}
};
println!(); println!();
println!(); println!();
println!(); println!();
println!("welcome to wukkOS!"); println!("welcome to wukkOS!");
println!("(c) 2022 Real Microsoft, LLC"); println!("(c) 2022 Real Microsoft, LLC");
let kern_info = Mutex::new(KernelInfo::init_from_kernel_args(args)); print!("initialising memory maps...");
print!("initialising mapper..."); let mem_areas = kern_info.get_memory_areas();
let mut mapper = unsafe { memory::init(VirtAddr::new(0)) };
println!("[OK]"); println!("[OK]");
print!("initialising frame allocator..."); println!("memory map:");
let mut frame_allocator = unsafe { memory::BootInfoFrameAllocator::init(kern_info) }; for area in mem_areas {
println!("[OK]"); println!("{:x} - {:x} : {}", area.start, area.end, match area.area_type {
print!("initialising heap..."); boot::MemoryType::Available => "Available",
memory::allocator::init_heap(&mut mapper, &mut frame_allocator).expect("heap init failed"); boot::MemoryType::Reserved => "Reserved",
println!("[OK]"); boot::MemoryType::AcpiReclaimable => "ACPI Reclaimable",
boot::MemoryType::Nvs => "NVS",
print!("testing heap..."); boot::MemoryType::BadMemory => "Bad Memory",
let reference_counted = Rc::new(vec![1, 2, 3]); boot::MemoryType::Kernel => "Kernel",
let cloned = reference_counted.clone(); boot::MemoryType::Bootloader => "Bootloader",
let test_1 = Rc::strong_count(&reference_counted) == 2; boot::MemoryType::Unknown(_) => "Unknown"
drop(cloned); });
let test_2 = Rc::strong_count(&reference_counted) == 1;
if test_1 && test_2 {
println!("[OK]");
} else {
println!("[FAIL]");
} }
drop(reference_counted);
loop {} loop {}
} }

View file

@ -1,4 +1,6 @@
use alloc::fmt::format;
use core::fmt; use core::fmt;
use std::fmt::format;
use crate::serial::terminal::ST; use crate::serial::terminal::ST;
#[macro_export] #[macro_export]
@ -15,5 +17,6 @@ macro_rules! println {
#[doc(hidden)] #[doc(hidden)]
pub fn _print(args: fmt::Arguments) { pub fn _print(args: fmt::Arguments) {
use core::fmt::Write; use core::fmt::Write;
ST.writer.lock().write_fmt(args).unwrap(); let string = format(args);
ST.log(string.as_str());
} }

View file

@ -1,41 +0,0 @@
use x86_64::structures::paging::{FrameAllocator, Mapper, Page, PageTableFlags, Size4KiB};
use x86_64::structures::paging::mapper::MapToError;
use x86_64::VirtAddr;
pub const HEAP_START: u64 = 0x_4444_4444_0000;
pub const HEAP_SIZE: u64 = 100 * 1024; // 100 KiB
#[cfg(feature = "f_ll_alloc")]
use linked_list_allocator::LockedHeap;
#[global_allocator]
static ALLOCATOR: LockedHeap = LockedHeap::empty();
pub fn init_heap(
mapper: &mut impl Mapper<Size4KiB>,
frame_allocator: &mut impl FrameAllocator<Size4KiB>,
) -> Result<(), MapToError<Size4KiB>> {
let page_range = {
let heap_start = VirtAddr::new(HEAP_START as u64);
let heap_end = heap_start + HEAP_SIZE - 1u64;
let heap_start_page = Page::containing_address(heap_start);
let heap_end_page = Page::containing_address(heap_end);
Page::range_inclusive(heap_start_page, heap_end_page)
};
for page in page_range {
let frame = frame_allocator
.allocate_frame()
.ok_or(MapToError::FrameAllocationFailed)?;
let flags = PageTableFlags::PRESENT | PageTableFlags::WRITABLE;
unsafe {
mapper.map_to(page, frame, flags, frame_allocator)?.flush()
};
}
unsafe {
ALLOCATOR.lock().init(HEAP_START as usize, HEAP_SIZE as usize);
}
Ok(())
}

View file

@ -1,68 +1,4 @@
pub mod allocator; #[repr(align(4096))]
pub struct PageTable {
use x86_64::structures::paging::{FrameAllocator, OffsetPageTable, PageTable, PhysFrame, Size4KiB}; entries: [PageTableEntry; 512],
use x86_64::{PhysAddr, VirtAddr};
pub unsafe fn init(phys_mem_offset: VirtAddr) -> OffsetPageTable<'static> {
let level_4_table = active_level_4_table(phys_mem_offset);
OffsetPageTable::new(level_4_table, phys_mem_offset)
}
unsafe fn active_level_4_table(phys_mem_offset: VirtAddr) -> &'static mut PageTable {
use x86_64::registers::control::Cr3;
let (level_4_table_frame, _) = Cr3::read();
let phys = level_4_table_frame.start_address();
let virt = phys_mem_offset + phys.as_u64();
let page_table_ptr: *mut PageTable = virt.as_mut_ptr();
unsafe { &mut *page_table_ptr } // unsafe
}
#[cfg(feature = "f_multiboot2")]
use multiboot2::{MemoryMapTag, BootInformation};
use spin::Mutex;
use crate::boot::KernelInfo;
pub struct BootInfoFrameAllocator {
kern_info: Mutex<KernelInfo>,
next: usize,
}
impl BootInfoFrameAllocator {
#[cfg(feature = "f_multiboot2")]
pub unsafe fn init(kern_info: Mutex<crate::boot::KernelInfo>) -> Self {
Self {
kern_info,
next: 0,
}
}
}
unsafe impl FrameAllocator<Size4KiB> for BootInfoFrameAllocator {
fn allocate_frame(&mut self) -> Option<PhysFrame> {
#[cfg(feature = "f_multiboot2")] {
let mut kern_lock = self.kern_info.lock();
let mut usable_frames = kern_lock
.memory_areas();
let mut usable_frames = usable_frames
.map(|area| {
let frame_addr = area.start_address();
let frame_end = area.end_address();
let frame_size = frame_end - frame_addr;
let num_frames = frame_size / 4096;
let start_frame = PhysFrame::containing_address(PhysAddr::new(frame_addr));
(0..num_frames).map(move |i| start_frame + i)
})
.flatten();
let frame = usable_frames.nth(self.next).clone();
self.next += 1;
// ensure unlock
unsafe { self.kern_info.force_unlock() };
frame
}
}
} }

View file

@ -1,4 +1,4 @@
#![feature(asm_const)]
use core::arch::asm; use core::arch::asm;
use core::borrow::{Borrow, BorrowMut}; use core::borrow::{Borrow, BorrowMut};

View file

@ -1,25 +1,17 @@
use core::fmt; use alloc::sync::Arc;
use core::ops::Deref; use core::ops::Deref;
use lazy_static::lazy_static; use lazy_static::lazy_static;
use spin::Mutex; use spin::Mutex;
use crate::serial::Port; use crate::serial::Port;
pub struct SerialTerminal { pub struct SerialTerminal {
pub port: Mutex<Option<Port>>, pub port: Arc<Mutex<Option<Port>>>,
pub writer: Mutex<SerialTerminalWriter>,
}
pub struct SerialTerminalWriter {
pub port: Mutex<Option<Port>>,
} }
lazy_static! { lazy_static! {
pub static ref ST: SerialTerminal = { pub static ref ST: SerialTerminal = {
let serial_terminal: SerialTerminal = SerialTerminal { let mut serial_terminal = SerialTerminal {
port: Mutex::new(None), port: Arc::new(Mutex::new(None)),
writer: Mutex::new(SerialTerminalWriter {
port: Mutex::new(None),
}),
}; };
serial_terminal serial_terminal
}; };
@ -28,7 +20,6 @@ lazy_static! {
impl SerialTerminal { impl SerialTerminal {
pub fn init_from_port(&self, port: Port) { pub fn init_from_port(&self, port: Port) {
self.port.lock().replace(port); self.port.lock().replace(port);
self.writer.lock().port.lock().replace(port);
} }
pub fn log(&self, message: &str) { pub fn log(&self, message: &str) {
@ -44,12 +35,3 @@ impl SerialTerminal {
} }
} }
} }
impl fmt::Write for SerialTerminalWriter {
fn write_str(&mut self, s: &str) -> fmt::Result {
if let Some(port) = self.port.lock().deref() {
port.transmit_string(s);
}
Ok(())
}
}