我正在编写MBR并使用QEMU进行测试。
使用read sectors into memory (int 0x13, ah=0x02
)时,int
指令似乎阻止了程序的执行,并且它继续挂起。我已经用各种打印语句对此进行了测试,以确认这是特定的指令阻塞。
什么可以使中断阻止?我认为这只能通过cli
指令完成,即使这样也不会阻止int
指令。
对于上下文,这是导致read_sectors_16
中阻塞中断的代码:
[bits 16]
[ORG 0x7C00]
jmp 0x000:start_16 ; ensure cs == 0x0000
reset_failure_str db 'error: boot disk reset', 13, 10, 0
read_failure_str db 'error: boot disk read', 13, 10, 0
boot_segaddr dw 0x7E00
read_attempt_str db 'read attempt', 13, 10, 0
end_read_attempt_str db 'end read attempt', 13, 10, 0
start_16:
;; Initialize segment registers
mov ax, cs
mov ds, ax
mov es, ax
jmp load_bootsector_2
load_bootsector_2: ; Read program from disk
;; dl set by BIOS to the drive number MBR was loaded from
mov cx, 0x0002 ; cylinder 0, sector 2
xor dh, dh ; head 0
mov al, 0x01 ; load 1 sector
mov bx, boot_segaddr ; destination - load right after the boot loader
call read_sectors_16
jnc .success
mov si, read_failure_str
call print_string_16
jmp halt ; halt
.success:
jmp boot_segaddr:0000 ; jump to program
这是带阻塞中断的函数:
;;; read_sectors_16
;;;
;;; Read sectors from disk in memory using BIOS services
;;;
;;; input: dl = drive
;;; ch = cylinder[7:0]
;;; cl[7:6] = cylinder[9:8]
;;; dh = head
;;; cl[5:0] = sector (1-63)
;;; es:bx -> destination
;;; al = number of sectors
;;;
;;; output: cf (0 = success, 1 = failure)
read_sectors_16:
pusha
mov di, 0x02 ; set attempts (max attempts - 1)
.attempt:
mov ah, 0x02 ; read sectors into memory (int 0x13, ah = 0x02)
int 0x13 ; TODO: this call is not returning!
jnc .end ; exit if read succeeded
dec di ; record attempt
test di, di
jz .end ; end if no more attempts
xor ah, ah ; reset disk (int 0x13, ah = 0x00)
int 0x13
jnc .attempt ; retry if reset succeeded, otherwise exit
jmp .end
.end:
popa
ret
答案 0 :(得分:5)
突出的是你的细分。首先,您的代码将boot_segaddr
定义为:
boot_segaddr dw 0x7E00
这会在内存中创建一个值为0x7E00的16位字。然后你有这两行:
mov bx, boot_segaddr
[snip]
jmp boot_segaddr:0000
在这两种情况下boot_segaddr
都被用作立即数。您使用的是boot_segaddr
的地址,而不是值boot_segaddr
指向的地址。
我会将boot_segaddr dw 0x7E00
更改为常量值(使用EQU
)并将其重命名为:
BOOT_OFFSET EQU 0x7E00
然后,您可以将mov bx, boot_segaddr
修改为:
mov bx, BOOT_OFFSET
这会将0x7E00移动到 BX 。对 Int 13 / AH = 2 的调用会读取从ES开始的扇区:BX = 0x0000:0x7E00这就是你想要的。
下一个问题是如果我们为 FAR JMP 重复使用相同的常量:
jmp BOOT_OFFSET:0000
这将导致 FAR JMP 到0x7E00:0x0000。不幸的是,这是物理地址(0x7E00 <&lt;&lt; 4)+ 0x0000 = 0x7E000,这不是你想跳的地方。您想跳转到物理地址0x07E00。你真的想要 FAR JMP 到0x07E0:0x0000这将是物理地址(0x07E0 <&lt; 4)+ 0x0000 = 0x7E00。要使 FAR JMP 正常工作,我们可以将BOOT_OFFSET
右移4位。您可以将该行更改为:
jmp (BOOT_OFFSET>>4):0000
进行这些更改应该让您的引导程序正常工作。因为原始代码中有2个错误:
显然挂起可能是由于从引导加载程序中的内存地址boot_segaddr
开始读取扇区引起的。可能你覆盖了引导加载程序中的所有代码,使得int 13h
最终返回时工作不正常。
正如Peter指出的那样使用像BOCHS这样的仿真器,它的内部调试器可以让你单步执行16位实模式代码。您可能已经发现了这些问题。