我正在尝试构建自己的内核,现在正在设置 GDT。我为加载程序使用了一个程序集文件,并调用了用 C 编写的内核,并试图让 GDT 工作。内核从 GRUB 引导并通过 GRUB 刷新 GDT 设置。当我将 GDT 条目设置为段(具有适当的限制和偏移量)时,我假设在 QEMU 以及当我从 pendrive 启动时,内核重新启动时都会出现三重故障。
我的问题是:
我可以为 x86 架构实现分段模型吗?是否需要在保护模式下完成?工作完成后如何退出保护模式?
我会在此处发布代码,但其中大部分来自教程,如果我将程序集和 C 代码混在一起,它会变得一团糟。主要的是,如果我在 C 内核中将代码段和数据段条目的基础都设置为“0”之外的任何其他操作,内核就会重新启动。此外,当我将粒度设置为禁用 4KB 分页时,也会发生同样的事情。如果需要,请询问更多详细信息。谢谢 :) :)
编辑:这是我用于链接 asm 引导加载程序和 C 内核文件的 linker.ld 文件。我已经发布了与内存分段相关的 asm 和 C 文件中的段:
链接器:
ENTRY (loader)
SECTIONS
{
. = 0x00100000;
.text ALIGN (0x1000) :
{
*(.text)
}
.rodata ALIGN (0x1000) :
{
*(.rodata*)
}
.data ALIGN (0x1000) :
{
*(.data)
}
.bss :
{
sbss = .;
*(COMMON)
*(.bss)
ebss = .;
}
}
用于设置 GDT 和实例化函数的 C 函数:
void gdt_set_gate(int num, unsigned long base, unsigned long limit, unsigned char access, unsigned char gran)
{
/* Setup the descriptor base address */
gdt[num].base_low = (base & 0xFFFF);
gdt[num].base_middle = (base >> 16) & 0xFF;
gdt[num].base_high = (base >> 24) & 0xFF;
/* Setup the descriptor limits */
gdt[num].limit_low = (limit & 0xFFFF);
gdt[num].granularity = ((limit >> 16) & 0x0F);
/* Finally, set up the granularity and access flags */
gdt[num].granularity |= (gran & 0xF0);
gdt[num].access = access;
}
void gdt_install()
{
/* Setup the GDT pointer and limit */
gp.limit = (sizeof(struct gdt_entry) * 35) - 1;
gp.base = &gdt;
/* Our NULL descriptor */
gdt_set_gate(0, 0, 0, 0, 0);
gdt_set_gate(1, 0x00000000, 0xFFFFFFFF, 0x9A, 0xCF); //Setting Code Segment
gdt_set_gate(2, 0x00000000, 0xFFFFFFFF, 0x92, 0xCF); //Setting Data Segment
//In the above two, if the second parameter is anything other
//than 0 i.e. base is not 0, the kernel doesn't run.
//Moreover, setting the last to 0x4F, which is byte accessing rather
//than 4KB paging gives the same malfunction too.
//gdt_set_gate(3, 0, 0xFFFFFFFF, 0xFA, 0xCF);
//gdt_set_gate(4, 0, 0xFFFFFFFF, 0xF2, 0xCF);
//TASK STATE SEGMENT -1
//TASK STATE SEGMENT -2
//gdt_set_gate(3, 0, 0xFFFFFFFF, 0x89, 0xCF);
// gdt_set_gate(4, 0, 0xFFFFFFFF, 0x89, 0xCF);
/* Flush out the old GDT and install the new changes! */
gdt_flush();
}
最后,用 ASM 编写的 GDT 刷新函数:
gdt_flush:
lgdt [gp] ; Load the GDT with our '_gp' which is a special pointer
;ltr [0x18]
mov ax, 0x10 ; 0x10 is the offset in the GDT to our data segment
mov ds, ax
mov es, ax
mov fs, ax
mov gs, ax
mov ss, ax
jmp 0x08:flush2 ; 0x08 is the offset to our code segment: Far jump!
flush2:
ret
我知道 C 函数和 ASM 是正确的,因为它们适用于平面内存模型。我需要对此进行任何具体更改吗?我想就链接器文件提供一些建议以设置分段或分段分页。