转动键盘 LED 灯

Turning keyboard LED lights

我得到了一些代码来分析。此代码启用键盘上的 numLock 和 scrollLock LED。我理解这段代码的大部分内容,但是我不理解循环部分 (0104)。我所知道的是等待输入缓冲区为空。但有必要吗?没有这部分代码也能正常工作。

0100: MOV AL, ED
0102: OUT 60, AL
0104: IN  AL, 64
0106: TEST AL, 02
0108: JNZ 0104
010A: MOV AL, 03
010C: OUT 60, AL

有关于 AT 键盘控制器的有用信息 here状态寄存器(端口 0x64)中您可能最感兴趣的用于在端口 0x60 上读取和写入数据的位是:

Bit 1: Input buffer status

0: Input buffer empty, can be written. 1: Input buffer full, don't write yet.

Bit 0: Output buffer status

0: Output buffer empty, don't read yet. 1: Output buffer full, can be read. (In the PS/2 situation bit 5 tells whether the available data is from keyboard or mouse.) This bit is cleared when port 0x60 is read.

您必须等到 输入缓冲区状态位 清除后才能写入端口 0x60。未能等待可能会导致发送到控制器的数据丢失。在从端口 0x60 读取数据之前,您应该等到 输出缓冲区状态位 被设置,因为这意味着有数据可供读取。读取不可用的数据将导致从端口读取的任何内容在根本不是数据时被视为数据。

状态寄存器中的InputOutput这两个词乍一看好像是counter-intuitive。这些位是从键盘控制器而非 PC 的角度命名的。控制器上的输出缓冲区是 PC 上的输入缓冲区,反之亦然。

模拟器和虚拟机似乎更宽容。如果您希望您的代码有最好的机会在各种真实硬件和仿真器上工作,您将需要插入等待适当状态的循环,然后再继续。


第一部分代码向键盘发送0xED命令1

0100: MOV AL, ED
0102: OUT 60, AL

这个命令是documented为:

Command 0xED: Write LEDs

This command is followed by a byte indicating the desired LEDs setting. Bits 7-3: unused, 0. Bit 2: 1: CapsLock LED on. Bit 1: 1: NumLock LED on. Bit 0: 1: ScrollLock LED on. When OK, both bytes are ACKed. If the second byte is recognized as a command, that command is ACKed and done instead. Otherwise a NACK is returned (and a keyboard enable may be needed).

这段代码正在等待位1(输出缓冲区状态)变为0:

0104  IN  AL, 64
0106: TEST AL, 02
0108: JNZ 0104

当键盘控制器准备好接收数据时,PC 就可以自由地将数据写入端口 0x60,这就是这段代码的作用:

010A: MOV AL, 03
010C: OUT 60, AL

这是与命令 0xED 关联的 LED 数据。值 03=00000011。第 1 位设置为启用 NumLock,第 1 位设置为启用 ScrollLock。


脚注

  • 1在将键盘命令 0xED 写入端口 0x60 之前,代码应该等待输入缓冲区状态位变为 0。