TaijiOS is a hobby operating system written from scratch in Rust for learning systems programming and OSdev.
- About the Project
- Building
- Creating a Bootimage
- Running
- Testing
- TODO
- Readings
- Acknowledgements
- License
This project implements a microkernel. It's a minimal 64-bit OS kernel for x86 architecture.
Currently, the kernel boots without crashing and can print something to the screen. Keyboard input is working. (see a demo below)
taijios-alpha-demo.mp4
This repository contains my Work-In-Progress (WIP) code. Things are still unstable. "Here be dragons".
About Multitasking
Cooperative multitasking is working. I'm implementing preemptive multitasking.
The code for each feature lives in a separate git tag. This makes it possible to see the intermediate state after each feature.
The latest code is available in the "main" branch.
You can find the tag for each feature by following the link in the feature list below.
You can check out a tag in a subdirectory using git:
# make sure that the tag exists locally by doing
$ git fetch --tags
# check out the tag by running
$ git checkout tags/09-paging-implementation
A side-effect of this project is that you can follow the tags for each features in the following order to see how the kernel evolved:
- A Rust executable that does not link the stdlib
- A minimal Rust kernel
- Print text to the screen in VGA text buffer
- Unit and integration testing
- Interrupt: CPU exceptions
- Interrupt: Double fault handler
- Interrupt: Hardware, timer interrupts, keyboard input
- Memory: Concept of paging
- Memory: Paging implementation
- Memory: Dynamic memory, implement basic support for heap allocations
- Memory: Implement heap allocators from scratch
- Cooperative multitasking: Task, create a simple executor
Install Rust nightly
This project requires a nightly version of Rust because it uses some unstable
features. At least nightly 2020-07-15 is required for building. You might need
to run rustup update nightly --force
to update to the latest nightly even if
some components such as rustfmt
are missing it.
The build-std
feature of Cargo
Building the kernel for our new target will fail if we don't use the feature. To
use the feature, we need to create a Cargo configuration file at
.cargo/config.toml
with the following content:
...
[unstable]
build-std = ["core", "compiler_builtins"]
Memory-Related Intrinsics
The Rust compiler assumes that a certain set of built-in functions is available
for all systems. Most of these functions are provided by the compiler_builtins
crate that we just recompiled. However, there are some memory-related functions
in that crate that are not enabled by default because they are normally provided
by the C library on the system. These functions include memset
, memcpy
, and
memcmp
.
Since we can’t link to the C library of the operating system, we need an alternative way to provide these functions to the compiler.
Fortunately, the compiler_builtins
crate already contains implementations for
all the needed functions, they are just disabled by default to not collide with
the implementations from the C library. We can enable them by setting cargo’s
[build-std-features]
(https://doc.rust-lang.org/nightly/cargo/reference/unstable.html#build-std-features)
flag to ["compiler-builtins-mem"]
. This can be configured in the unstable
table in the .cargo/config.toml
file.
...
[unstable]
build-std-features = ["compiler-builtins-mem"]
build-std = ["core", "compiler_builtins"]
(Support for the compiler-builtins-mem
feature was only [added very recently]
(rust-lang/rust#77284), so you need at least Rust
nightly 2020-09-30 for it.)
With this change, our kernel has valid implementations for all compiler-required functions, so it will continue to compile even if our code gets more complex.
Set a Default Target
To avoid passing the --target
parameter on every invocation of cargo build
,
we can override the default target. To do this, we add the following to our
cargo configuration file at .cargo/config.toml
:
...
[build]
target = "x86_64-tiny_os.json"
This tells cargo to use our x86_64-tiny_os.json
target when no explicit
--target
argument is passed. This means that we can now build our kernel with
a simple cargo build
.
We are now able to build our kernel for a bare metal target!
To build this project, run:
$ cargo build
Downloaded getopts v0.2.21
...
Downloaded libc v0.2.126
Downloaded compiler_builtins v0.1.73
Downloaded cc v1.0.69
...
Downloaded 14 crates (2.1 MB) in 1.36s
Compiling core v0.0.0 (~/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/src/rust/library/core)
Compiling compiler_builtins v0.1.73
Compiling rustc-std-workspace-core v1.99.0 (~/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/src/rust/library/rustc-std-workspace-core)
Compiling tiny-os v0.1.0 (~/repo/github/tiny-os)
Finished dev [unoptimized + debuginfo] target(s) in 11.90s
If you encountered linker errors
The linker is a program that combines the generated code into an executable. Since the executable format differs between Linux, Windows, and macOS, each system has its own linker that throws a different error. The fundamental cause of the errors is the same: the default configuration of the linker assumes that our program depends on the C runtime, which it does not.To solve the errors, we need to tell the linker that it should not include the C runtime. We can do this either by passing a certain set of arguments to the linker or by building for a bare metal target.
Building for a Bare Metal Target
By default Rust tries to build an executable that is able to run in your current
system environment. For example, if you’re using Windows on x86_64
, Rust tries
to build a .exe
Windows executable that uses x86_64
instructions. This
environment is called your “host” system.
To describe different environments, Rust uses a string called target triple.
By compiling for our host triple, the Rust compiler and the linker assume that there is an underlying operating system such as Linux or Windows that use the C runtime by default, which causes the linker errors. So to avoid the linker errors, we can compile for a different environment with no underlying operating system.
An example for such a bare metal environment is the thumbv7em-none-eabihf
target
triple, which describes an embedded ARM system. The details are not important,
all that matters is that the target triple has no underlying operating system,
which is indicated by the none
in the target triple. To be able to compile for
this target, we need to add it in rustup:
$ rustup target add thumbv7em-none-eabihf
info: downloading component 'rust-std' for 'thumbv7em-none-eabihf'
info: installing component 'rust-std' for 'thumbv7em-none-eabihf'
This downloads a copy of the standard (and core) library for the system. Now we can build our freestanding executable for this target:
$ cargo build --target thumbv7em-none-eabihf
Compiling tiny-os v0.1.0 (/home/neo/dev/work/repo/github/tiny-os)
Finished dev [unoptimized + debuginfo] target(s) in 0.78s
By passing a --target
argument we cross compile our executable for a bare
metal target system. Since the target system has no operating system, the
linker does not try to link the C runtime and our build succeeds without any
linker errors.
This is the approach that we will use for building our OS kernel. Instead of
thumbv7em-none-eabihf
, we will use a custom target that describes a x86_64
bare metal environment. The details will be explained in the next post.
To turn our compiled kernel into a bootable disk image, we need to link it with a bootloader. The bootloader is responsible for initializing the CPU and loading our kernel.
To create a bootable disk image from the compiled kernel, you need to install
the bootimage
tool:
$ cargo install bootimage
For running bootimage and building the bootloader, you need to have the
llvm-tools-preview
rustup component installed. You can install it by executing
rustup component add llvm-tools-preview
.
After installing, you can create the bootable disk image by running:
$ cargo bootimage
Building kernel
Compiling bootloader v0.9.22
Compiling tiny-os v0.1.0 (/home/neo/dev/work/repo/github/tiny-os)
Finished dev [unoptimized + debuginfo] target(s) in 0.49s
Building bootloader
...
Compiling bootloader v0.9.22 (~/.cargo/registry/src/github.com-1ecc6299db9ec823/bootloader-0.9.22)
Compiling compiler_builtins v0.1.73
...
Compiling x86_64 v0.14.7
Finished release [optimized + debuginfo] target(s) in 2.90s
Created bootimage for `tiny-os` at `~/repo/github/tiny-os/target/x86_64-tiny_os/debug/bootimage-tiny-os.bin`
This creates a bootable disk image in the target/x86_64-tiny_os/debug
directory.
You can run the disk image in QEMU through:
$ cargo run
Finished dev [unoptimized + debuginfo] target(s) in 0.03s
Running `bootimage runner target/x86_64-tiny_os/debug/tiny-os`
Building bootloader
Finished release [optimized + debuginfo] target(s) in 0.06s
Running: `qemu-system-x86_64 -drive format=raw,file=target/x86_64-tiny_os/debug/bootimage-tiny-os.bin`
QEMU and the bootimage
tool need to be installed for this.
You can also write the image to an USB stick for booting it on a real machine. On Linux, the command for this is:
$ dd if=target/x86_64-tiny_os/debug/bootimage-tiny-os.bin of=/dev/sdX && sync
Where sdX
is the device name of your USB stick. Be careful to choose the
correct device name, because everything on that device is overwritten.
To run the unit and integration tests, execute cargo test
.
Now:
- Preemptive multitasking
- Threads (a common form of preemptive multitasking)
- Utilize multiple CPU cores
- Processes and multiprocesses
- Heap allocators - Bump allocator (now). Explore arena allocator. (there is no "best" allocator design that fits all cases)
- We are able to interact with our kernel and have some fundamental building
blocks for creating a:
- Tiny shell
- Simple programs
- Improve I/O
- File system
Future:
- Re-implement boot loader from scratch
- ARM port
- RISC-V port
I planned to read these articles or blog posts and do some literature review along the way.
-
The Global Descriptor Table (GDT)
GDT is a relict that was used for memory segmentation before paging became the de facto standard. It is still needed in 64-bit mode for various things such as kernel/user mode configuration or TSS loading.
For more information about segmentation check out the equally named chapter of the free OS "Three Easy Pieces" (OSTEP) book.
-
The x86-interrupt calling convention
A powerful abstraction that hides almost all of the messy details of the exception handling process.
-
The breakpoint exception is commonly used in debuggers: When the user sets a breakpoint, the debugger overwrites the corresponding instruction with the int3 instruction so that the CPU throws the breakpoint exception when it reaches that line.
For more details, see the "How debuggers work"
-
Configuring the Timer
The hardware timer that we use is called the Programmable Interval Timer or PIT for short. The OSDev wiki has an extensive article about the configuring the PIT.
-
Memory management
Important topics to read again: Segmentation, Virtual Memory, Fragmentation, Paging, Hidden Fragmentation, Page Tables, and Multilevel Page Tables.
The fragmentation problem is one of the reasons that segmentation is no longer used by most systems. In fact, segmentation is not even supported in 64-bit mode on x86 anymore. Instead paging is used, which completely avoids the fragmentation problem.
-
Fixed-size block allocator
Allocators used in OS kernels are typically highly optimized to the specific workload of the kernel.
For more info, check out "The Linux kernel memory allocators".
Many work have indirectly contributed to this project. Here are some of the work that I would like to thank them:
Blog Posts, Articles, Presentations, and Papers
- Is It Time to Rewrite the Operating System in Rust? - A presentation (by Bryan Cantrill at QCon
- CS-537: Introduction to Operating Systems class by Remzi H. (UW-Madison)
- Learning to build an Operating System in Rust via CS140e
- Alex Light's Reenix: Implementing a Unix-Like Operating System in Rust paper (Brown University, Dept of ComSci)
- BlogOS
- Bare Metal Rust: Building kernels in Rust
- Rust-OS Kernel - To userspace and back!
- I refer to this post for my preemptive multitasking implementation:
- Context switching, syscall
- Writing a simple, round-robin task scheduler so that we can run multiple processes at once
- I refer to this post for my preemptive multitasking implementation:
- The development of OxidizedOS
- Threads and context switching
- Writing a cooperative schedule
- Getting to know Rust by building an OS
- Redox - a Unix-like OS written in Rust, aiming to bring the innovations of Rust to a modern microkernel and full set of apps.
- RISC-V OS using Rust
Hobby OSes
- MOROS - Obscure Rust Operating System.
- r3 - A tiny multi-tasking hobby operating system kernel written in Rust.
- litchi-rs - An x86-64 kernel with ~100% Rust (originally) in a week.
- A toy OS in Rust
- juner_os - This project combines elements from both blog_os and mal.
- rCore - Rust version of THU uCore OS Plus.
- LibertyOS's THANKYOU
- QuiltOS - A language-based OS to run Rust on bare metal. A fork of RustOS.
Uncategorized
- OSDev Wiki
- Xv6
- Xv6 Homepage - Xv6, a simple Unix-like teaching OS
- Xv6 code - Kernel hacking in Xv6
- Commentary book on Xv6 in PDF, it is brief (less than 100 pages) and an easy reading
- Xv6 Homepage - Xv6, a simple Unix-like teaching OS
- Brendan's Multi-tasking Tutorial
- Xv6
- VSCode, GDB, and Debugging an OS
- High Assurance Rust: Developing Secure and Robust Software - The module system
This project is licensed under MIT license.