Skip to content

Commit 3be235b

Browse files
committed
Fix higher half kernels by identity mapping context switch fn earlier
We used to reverve two frames to allow the context switch function to identity-map itself after creating the boot info. This works for kernels that use the standard mapping since they don't need to create new level 3/2 page tables for that. For kernels that are mapped differently (e.g. to the higher half), two frames aren't enough and a frame allocation error occurs. While we could fix this by reserving a larger number of frames, this would result in lost frames for normally-mapped kernels. So we instead do the identity-mapping already in the `set_up_mappings` function, where the normal frame allocator still exists. This way, we no longer need the `TwoFrames` workaaround at all. To ensure that this all works as intended, this PR also adds a new `higher_half` test kernel that maps itself to address `0xFFFF800000000000` via its custom target. By reading the `rip` register, the test kernel can verify that it was indeed loaded to the higher half.
1 parent 7edf2f8 commit 3be235b

13 files changed

+255
-68
lines changed

Cargo.lock

+9
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ members = [
1313
"tests/runner",
1414
"tests/test_kernels/default_settings",
1515
"tests/test_kernels/map_phys_mem",
16+
"tests/test_kernels/higher_half",
1617
]
1718

1819
[[bin]]

src/binary/mod.rs

+21-68
Original file line numberDiff line numberDiff line change
@@ -10,10 +10,9 @@ use level_4_entries::UsedLevel4Entries;
1010
use parsed_config::CONFIG;
1111
use usize_conversions::FromUsize;
1212
use x86_64::{
13-
registers,
1413
structures::paging::{
1514
FrameAllocator, Mapper, OffsetPageTable, Page, PageTableFlags, PageTableIndex, PhysFrame,
16-
Size2MiB, Size4KiB,
15+
Size2MiB,
1716
},
1817
PhysAddr, VirtAddr,
1918
};
@@ -90,13 +89,13 @@ where
9089
system_info.framebuffer_addr,
9190
system_info.framebuffer_info.byte_len,
9291
);
93-
let (boot_info, two_frames) = create_boot_info(
92+
let boot_info = create_boot_info(
9493
frame_allocator,
9594
&mut page_tables,
9695
&mut mappings,
9796
system_info,
9897
);
99-
switch_to_kernel(page_tables, mappings, boot_info, two_frames);
98+
switch_to_kernel(page_tables, mappings, boot_info);
10099
}
101100

102101
/// Sets up mappings for a kernel stack and the framebuffer.
@@ -153,6 +152,20 @@ where
153152
.flush();
154153
}
155154

155+
// identity-map context switch function, so that we don't get an immediate pagefault
156+
// after switching the active page table
157+
let context_switch_function = PhysAddr::new(context_switch as *const () as u64);
158+
let context_switch_function_start_frame: PhysFrame =
159+
PhysFrame::containing_address(context_switch_function);
160+
for frame in PhysFrame::range_inclusive(
161+
context_switch_function_start_frame,
162+
context_switch_function_start_frame + 1,
163+
) {
164+
unsafe { kernel_page_table.identity_map(frame, PageTableFlags::PRESENT, frame_allocator) }
165+
.unwrap()
166+
.flush();
167+
}
168+
156169
// map framebuffer
157170
let framebuffer_virt_addr = if CONFIG.map_framebuffer {
158171
log::info!("Map framebuffer");
@@ -262,7 +275,7 @@ pub fn create_boot_info<I, D>(
262275
page_tables: &mut PageTables,
263276
mappings: &mut Mappings,
264277
system_info: SystemInfo,
265-
) -> (&'static mut BootInfo, TwoFrames)
278+
) -> &'static mut BootInfo
266279
where
267280
I: ExactSizeIterator<Item = D> + Clone,
268281
D: LegacyMemoryRegion,
@@ -310,9 +323,6 @@ where
310323
(boot_info, memory_regions)
311324
};
312325

313-
// reserve two unused frames for context switch
314-
let two_frames = TwoFrames::new(&mut frame_allocator);
315-
316326
log::info!("Create Memory Map");
317327

318328
// build memory map
@@ -341,19 +351,17 @@ where
341351
tls_template: mappings.tls_template.into(),
342352
});
343353

344-
(boot_info, two_frames)
354+
boot_info
345355
}
346356

347357
/// Switches to the kernel address space and jumps to the kernel entry point.
348358
pub fn switch_to_kernel(
349359
page_tables: PageTables,
350360
mappings: Mappings,
351361
boot_info: &'static mut BootInfo,
352-
two_frames: TwoFrames,
353362
) -> ! {
354363
let PageTables {
355364
kernel_level_4_frame,
356-
kernel: kernel_page_table,
357365
..
358366
} = page_tables;
359367
let addresses = Addresses {
@@ -369,7 +377,7 @@ pub fn switch_to_kernel(
369377
);
370378

371379
unsafe {
372-
context_switch(addresses, kernel_page_table, two_frames);
380+
context_switch(addresses);
373381
}
374382
}
375383

@@ -388,32 +396,7 @@ pub struct PageTables {
388396
}
389397

390398
/// Performs the actual context switch.
391-
///
392-
/// This function uses the given `frame_allocator` to identity map itself in the kernel-level
393-
/// page table. This is required to avoid a page fault after the context switch. Since this
394-
/// function is relatively small, only up to two physical frames are required from the frame
395-
/// allocator, so the [`TwoFrames`] type can be used here.
396-
unsafe fn context_switch(
397-
addresses: Addresses,
398-
mut kernel_page_table: OffsetPageTable,
399-
mut frame_allocator: impl FrameAllocator<Size4KiB>,
400-
) -> ! {
401-
// identity-map current and next frame, so that we don't get an immediate pagefault
402-
// after switching the active page table
403-
let current_addr = PhysAddr::new(registers::read_rip().as_u64());
404-
let current_frame: PhysFrame = PhysFrame::containing_address(current_addr);
405-
for frame in PhysFrame::range_inclusive(current_frame, current_frame + 1) {
406-
unsafe {
407-
kernel_page_table.identity_map(frame, PageTableFlags::PRESENT, &mut frame_allocator)
408-
}
409-
.unwrap()
410-
.flush();
411-
}
412-
413-
// we don't need the kernel page table anymore
414-
mem::drop(kernel_page_table);
415-
416-
// do the context switch
399+
unsafe fn context_switch(addresses: Addresses) -> ! {
417400
unsafe {
418401
asm!(
419402
"mov cr3, {}; mov rsp, {}; push 0; jmp {}",
@@ -434,36 +417,6 @@ struct Addresses {
434417
boot_info: &'static mut crate::boot_info::BootInfo,
435418
}
436419

437-
/// Used for reversing two physical frames for identity mapping the context switch function.
438-
///
439-
/// In order to prevent a page fault, the context switch function must be mapped identically in
440-
/// both address spaces. The context switch function is small, so this mapping requires only
441-
/// two physical frames (one frame is not enough because the linker might place the function
442-
/// directly before a page boundary). Since the frame allocator no longer exists when the
443-
/// context switch function is invoked, we use this type to reserve two physical frames
444-
/// beforehand.
445-
pub struct TwoFrames {
446-
frames: [Option<PhysFrame>; 2],
447-
}
448-
449-
impl TwoFrames {
450-
/// Creates a new instance by allocating two physical frames from the given frame allocator.
451-
pub fn new(frame_allocator: &mut impl FrameAllocator<Size4KiB>) -> Self {
452-
TwoFrames {
453-
frames: [
454-
Some(frame_allocator.allocate_frame().unwrap()),
455-
Some(frame_allocator.allocate_frame().unwrap()),
456-
],
457-
}
458-
}
459-
}
460-
461-
unsafe impl FrameAllocator<Size4KiB> for TwoFrames {
462-
fn allocate_frame(&mut self) -> Option<PhysFrame<Size4KiB>> {
463-
self.frames.iter_mut().find_map(|f| f.take())
464-
}
465-
}
466-
467420
fn boot_info_location(used_entries: &mut UsedLevel4Entries) -> VirtAddr {
468421
CONFIG
469422
.boot_info_address

tests/higher_half.rs

+32
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,32 @@
1+
use std::process::Command;
2+
3+
#[test]
4+
fn basic_boot() {
5+
run_test_binary("basic_boot");
6+
}
7+
8+
#[test]
9+
fn should_panic() {
10+
run_test_binary("should_panic");
11+
}
12+
13+
#[test]
14+
fn check_boot_info() {
15+
run_test_binary("check_boot_info");
16+
}
17+
18+
#[test]
19+
fn verify_higher_half() {
20+
run_test_binary("verify_higher_half");
21+
}
22+
23+
fn run_test_binary(bin_name: &str) {
24+
let mut cmd = Command::new(env!("CARGO"));
25+
cmd.current_dir("tests/test_kernels/higher_half");
26+
cmd.arg("run");
27+
cmd.arg("--bin").arg(bin_name);
28+
cmd.arg("--target").arg("x86_64-higher_half.json");
29+
cmd.arg("-Zbuild-std=core");
30+
cmd.arg("-Zbuild-std-features=compiler-builtins-mem");
31+
assert!(cmd.status().unwrap().success());
32+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
[unstable]
2+
# TODO: Uncomment once https://github.com/rust-lang/cargo/issues/8643 is merged
3+
# build-std = ["core"]
4+
5+
[build]
6+
# TODO: Uncomment once https://github.com/rust-lang/cargo/issues/8643 is merged
7+
# target = "x86_64-example-kernel.json"
8+
9+
[target.'cfg(target_os = "none")']
10+
runner = "cargo run --manifest-path ../../runner/Cargo.toml"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
target
+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
[package]
2+
name = "test_kernel_higher_half"
3+
version = "0.1.0"
4+
authors = ["Philipp Oppermann <[email protected]>"]
5+
edition = "2018"
6+
7+
[dependencies]
8+
bootloader = { path = "../../.." }
9+
x86_64 = { version = "0.13.2", default-features = false, features = ["instructions", "inline_asm"] }
10+
uart_16550 = "0.2.10"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
#![no_std] // don't link the Rust standard library
2+
#![no_main] // disable all Rust-level entry points
3+
4+
use bootloader::{entry_point, BootInfo};
5+
use core::panic::PanicInfo;
6+
use test_kernel_higher_half::{exit_qemu, QemuExitCode};
7+
8+
entry_point!(kernel_main);
9+
10+
fn kernel_main(_boot_info: &'static mut BootInfo) -> ! {
11+
exit_qemu(QemuExitCode::Success);
12+
}
13+
14+
/// This function is called on panic.
15+
#[panic_handler]
16+
fn panic(_info: &PanicInfo) -> ! {
17+
exit_qemu(QemuExitCode::Failed);
18+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,68 @@
1+
#![no_std] // don't link the Rust standard library
2+
#![no_main] // disable all Rust-level entry points
3+
4+
use bootloader::{boot_info::PixelFormat, entry_point, BootInfo};
5+
use core::panic::PanicInfo;
6+
use test_kernel_higher_half::{exit_qemu, QemuExitCode};
7+
8+
entry_point!(kernel_main);
9+
10+
fn kernel_main(boot_info: &'static mut BootInfo) -> ! {
11+
// check memory regions
12+
assert!(boot_info.memory_regions.len() > 4);
13+
14+
// check framebuffer
15+
let framebuffer = boot_info.framebuffer.as_ref().unwrap();
16+
assert_eq!(framebuffer.info().byte_len, framebuffer.buffer().len());
17+
if ![640, 1024].contains(&framebuffer.info().horizontal_resolution) {
18+
panic!(
19+
"unexpected horizontal_resolution `{}`",
20+
framebuffer.info().horizontal_resolution
21+
);
22+
}
23+
if ![480, 768].contains(&framebuffer.info().vertical_resolution) {
24+
panic!(
25+
"unexpected vertical_resolution `{}`",
26+
framebuffer.info().vertical_resolution
27+
);
28+
}
29+
if ![3, 4].contains(&framebuffer.info().bytes_per_pixel) {
30+
panic!(
31+
"unexpected bytes_per_pixel `{}`",
32+
framebuffer.info().bytes_per_pixel
33+
);
34+
}
35+
if ![640, 1024].contains(&framebuffer.info().stride) {
36+
panic!("unexpected stride `{}`", framebuffer.info().stride);
37+
}
38+
assert_eq!(framebuffer.info().pixel_format, PixelFormat::BGR);
39+
assert_eq!(
40+
framebuffer.buffer().len(),
41+
framebuffer.info().stride
42+
* framebuffer.info().vertical_resolution
43+
* framebuffer.info().bytes_per_pixel
44+
);
45+
46+
// check defaults for optional features
47+
assert_eq!(boot_info.physical_memory_offset.into_option(), None);
48+
assert_eq!(boot_info.recursive_index.into_option(), None);
49+
50+
// check rsdp_addr
51+
let rsdp = boot_info.rsdp_addr.into_option().unwrap();
52+
assert!(rsdp > 0x000E0000);
53+
assert!(rsdp < 0x000FFFFF);
54+
55+
// the test kernel has no TLS template
56+
assert_eq!(boot_info.tls_template.into_option(), None);
57+
58+
exit_qemu(QemuExitCode::Success);
59+
}
60+
61+
/// This function is called on panic.
62+
#[panic_handler]
63+
fn panic(info: &PanicInfo) -> ! {
64+
use core::fmt::Write;
65+
66+
let _ = writeln!(test_kernel_higher_half::serial(), "PANIC: {}", info);
67+
exit_qemu(QemuExitCode::Failed);
68+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
#![no_std] // don't link the Rust standard library
2+
#![no_main] // disable all Rust-level entry points
3+
4+
use bootloader::{entry_point, BootInfo};
5+
use core::panic::PanicInfo;
6+
use test_kernel_higher_half::{exit_qemu, QemuExitCode};
7+
8+
entry_point!(kernel_main);
9+
10+
fn kernel_main(_boot_info: &'static mut BootInfo) -> ! {
11+
panic!();
12+
}
13+
14+
/// This function is called on panic.
15+
#[panic_handler]
16+
fn panic(_info: &PanicInfo) -> ! {
17+
exit_qemu(QemuExitCode::Success);
18+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
#![no_std] // don't link the Rust standard library
2+
#![no_main] // disable all Rust-level entry points
3+
4+
use bootloader::{entry_point, BootInfo};
5+
use core::panic::PanicInfo;
6+
use test_kernel_higher_half::{exit_qemu, QemuExitCode};
7+
8+
entry_point!(kernel_main);
9+
10+
fn kernel_main(_boot_info: &'static mut BootInfo) -> ! {
11+
// verify that kernel is really running in the higher half of the address space
12+
// (set in `x86_64-higher_half.json` custom target)
13+
let rip = x86_64::registers::read_rip().as_u64();
14+
assert_eq!(rip & 0xffffffffffff0000, 0xffff800000000000);
15+
exit_qemu(QemuExitCode::Success);
16+
}
17+
18+
/// This function is called on panic.
19+
#[panic_handler]
20+
fn panic(_info: &PanicInfo) -> ! {
21+
exit_qemu(QemuExitCode::Failed);
22+
}

0 commit comments

Comments
 (0)