在装配

时间:2017-11-20 14:31:00

标签: assembly x86-16 tasm dosbox

我试图在装配中对角显示0-9,但输出将我的对角打印数字放在窗口中间。

以下是代码:

start:
mov ah, 02h 
mov cl, 0Ah ;counter (10)
mov dx, 02h
;mov bx, 02h
mov dl, 30h ;start printing 0-9
mov dh, 02h ;start row
mov al, 02h
int 21h

again:

int 10h
int 21h
;add dx, 01h
inc dh
inc dx
inc al

loop again
mov ax, 4c00h
int 21h

输出应为:

0
  1
    2
      3
        4
          5
            6
              7
                8 
                  9

当前输出打印出来,但是在窗口的中间。我尝试添加一个新的寄存器bh,并在执行文件时使用它将光标放在我当前的位置。如何从光标开始显示它?我应该把它放在循环上并增加寄存器ah吗?

1 个答案:

答案 0 :(得分:2)

您当前的程序失败是因为您可能混合了两个碰巧具有相同功能编号02h的系统功能,但希望在DL寄存器中收到完全不同的信息。 DOS OutputCharacter函数需要一个字符代码并将其设置为48,但BIOS SetCursor函数将解释与列相同的值48。这就是结果显示在屏幕中间的原因!

因为你说你想从当前光标位置开始,在程序启动时几乎总是在屏幕的左边缘,所以根本不需要设置光标位置。

    mov     ah, 02h
    mov     dl, "0"
Next:
    push    dx          ;Preserve current character
    int     21h
    mov     dl, " "     ;Your desired output shows this space?
    int     21h
    mov     dl, 10      ;Linefeed moves the cursor 1 line down
    int     21h
    pop     dx          ;Restore current character
    inc     dl
    cmp     dl, "9"
    jbe     Next

您可以通过查看递增的DL寄存器中的值来决定循环返回,而不是使用单独的计数器。

请注意,您使用的loop指令取决于CX寄存器,但您只初始化了CL的下半部分!这通常是程序崩溃的原因。

修改

鉴于DOSBox在被要求显示字符10时发出了回车符和换行符(在this comment by Michael Petch中引起了我的注意),我写了下一个小程序,我在最新的DOSBox中测试了它的准确性,这是版本0.74。

    ORG     256          ;Create .COM program

    mov     ah, 02h      ;DOS.DisplayCharacter
    mov     dx, "0"      ;DH is spaces counter, DL is current character
    jmps    First        ;Character "0" has no prepended spaces!
Next:
    push    dx           ;(1)
    mov     dl, " "
Spaces:
    int     21h
    dec     dh
    jnz     Spaces
    pop     dx           ;(1)
First:
    int     21h          ;Display character in DL
    push    dx           ;(2)
    mov     dl, 10       ;Only on DOSBox does this do Carriage return AND Linefeed !
    int     21h
    pop     dx           ;(2)
    add     dx, 0201h    ;SIMD : DH+2 and DL+1
    cmp     dl, "9"
    jbe     Next

    mov     ax, 4C00h    ;DOS.TerminateWithExitcode
    int     21h