Notes from “Writing an OS in Rust series”. I am writing in Markdown here, because this will go on xernel.site soon!
Kernel-level programming often avoids using the standard library (such as C standard library) because it relies on low-level operations and lacks the infrastructure and safety features provided by the standard library, which can introduce unpredictability and potential security risks in kernel code.
First thing we do, is create a free-standing Rust binary. We need to do this because we can’t depend on any OS features (as explained above), but we will still use the core features of Rust.
`#![no_std]
` seems to disable the implicit linking of standard libraries. Notice now println
won’t work. If you’ve ever written a kernel module before, this might be a throwback to the fact that println
in C doesn’t work at kernel level when you do not import stdlib.h
- the only difference here is we explicitly delinking the “stdlib” in Rust because for whatever reason, Rust by default links it implicitly.
Panic is an important artefact in Rust that ships with the standard library. For us, we will simply define our own panic function. Import core::panic::PanicInfo
(https://doc.rust-lang.org/core/panic/struct.PanicInfo.html) and define the behaviour by using the #[panic_handler]
procedural macro. We’ll just throw it into a loop for now (Note: Since this function should never return, we pack it as !
return type).
eh_personality
is usually a funny descriptor of people from Delhi, but here it is used for marking the functions for stack unwinding (cleaning up the stack frames and such incase of panic exits ect.). This ensures we have a nice, clean and free memory once we have an abnormal exit. However, it’s 1) complex, and 2) sometimes needs OS-specific libraries.
So we will simply disable unwinding, and and abort on any panic instead from the cargo.toml
When you try compiling now, we will be missing the start
macro, this is the entry point.
main
functions are not the first function that runs in Rust. In a typical Rust binary, crt0
which is a C runtime library that sets up the environment. This includes creating a stack and placing the arguments on it.
This is not unusual, any amount of gdb
debugging will have you know the whole bits and registers at the beginning. If you’re someone that learnt gdb and C, you might wonder about runtime systems of C itself.
Very interesting discussion on that: https://stackoverflow.com/questions/42728239/runtime-system-in-c
The C runtime from crt0 then calls the Rust runtime, which is pretty straightforward - just sets up Stack Guards and such.
We don’t have any of this, so we disable main
by doing #![no_main]
. We have no underlying runtime that calls our main
so we just removed it.
Now let’s overrwrite the OS entry point with our own _start
function:
#[no_mangle] // disable name mangling
pub extern "C" fn _start() -> ! {
loop {}
}
Name mangling is great in usual compilers because it allows us to (I guess) have different method signatures with same method names but different parameters, but we unambiguously want access to the same _start
function.
Creating a minimal Rust kernel
The aim is to create a minimal 64-bit Rust kernel for the x86 architecture.
When you turn on a computer, a firmware code stored in the motherboard ROM starts a process called POST, which detects current RAM, pre-initializes CPU and hardware. It then looks for a bootable disk.
- There are two standards for this: BIOS (Basic I/O system) and UEFI (unified extensible firmware interface).
- BIOS is very widely compatible, but this has its problems.
- CPU is put into a 16 bit compatibility mode called real mode.
- When the BIOS finds a bootable disk, the control is transferred to a bootloader (which is a 512 byte portion of exec code found at the disk’s beginning).
- The second stage of the bootloader is loaded by the first stage.
- The bootloader has to determine the location of the kernel image on the disk and load it into the memory
- It also needs to switch the CPU from 16 bit real mode, to 32 bit protected mode, and 64 bit long mode, where 64 bit registers (eax → rax if you recall) are available.
- It’s last job is to query certain information from the BIOS and pass it to the OS kernel (such as a memory map)
- For now, using bootimage tool. (I will be implementing my own linker, assembler, simple BIOS and bootloader soon).
- To make a Kernel mulitboot compilant (it’s a standard), one just needs to insert a so-called multiboot header at the beginning of the kernel file. This makes it easier to boot an OS from GRUB, however there are problems too
- 32 bit protected mode only supported, which means you will have to config CPU to switch to 64 bit
- They are designed to make the bootloader simple instead of the kernel. For example, the kernel needs to be linked with an adjusted default page size, because GRUB can’t find the Multiboot header otherwise. Another example is that the boot information, which is passed to the kernel, contains lots of architecture-dependent structures instead of providing clean abstractions.
- Both GRUB and the Multiboot standard are only sparsely documented.
- GRUB needs to be installed on the host system to create a bootable disk image from the kernel file. This makes development on Windows or Mac more difficult.
target-triple
allow cargo to know the CPU architecture. We don’t have an underlying OS, so we will define our OS to benone
(which rust allows for).- Further, add Rust’s LDD linker instead of using the platform’s default linker.
- Set
panic-strategy
to abort since we have disabled stack unwinding. - Disable the red zone, which is an optimisation of the System V ABI that allows functions to temporarily use 128 bytes below the stack frame without adjusting the pointer.
- https://forum.osdev.org/viewtopic.php?t=21720 for reference of sample errors
SIMD works by breaking down a computational task into smaller, identical operations and then applying these operations simultaneously to multiple data elements. A single instruction, as the name suggests, guides these parallel operations, ensuring consistency and efficiency. This technique is particularly effective for tasks where the same operation is performed on a large dataset, such as image and video processing or numerical simulations, as it significantly accelerates processing speed and enhances overall performance.
However, this also means in OS where interrupts are frequent, we will be throttled by this. So we will disable this.
{
"llvm-target": "x86_64-unknown-none",
"data-layout": "e-m:e-i64:64-f80:128-n8:16:32:64-S128",
"arch": "x86_64",
"target-endian": "little",
"target-pointer-width": "64",
"target-c-int-width": "32",
"os": "none",
"executables": true,
"linker-flavor": "ld.lld",
"linker": "rust-lld",
"panic-strategy": "abort",
"disable-redzone": true,
"features": "-mmx,-sse,+soft-float"
}
mmx and sse are used for SIMD support, which we don’t need, so we do -mmx,-sse
and then we add in +soft-float
because soft-float emulates all floating point operations through software functions based on normal integers. This is great because x86_64
requires SIMD registers by default, we will just circumvent the problem.
When we try to build now, we will get a `rustc --explain E0463
` error. This is not good, because we need the basic Rust types such as Result
, Option
etc. This is (again, for whatever reason) implicitly linked in. The core library is distributed as a precompiled library, so we get valid support for valid hosts. We need to recompile core
for ourselves.
To do this, we need to actually edit the ` config.toml ` for cargo itself. Make a .cargo add in a config. Now, get the rust source code with ` rustup component add rust-src `.
Further Notes
Also very interesting: https://www.davidsalomon.name/assem.advertis/asl.pdf
I use