我目前正在学习 Windows/DOS 程序集。我只是在制作一个小程序,它添加两个以 10 为底的整数,并将解决方案输出到标准输出。这是我当前的代码:
org 100h
MOV al,5
ADD al,3
mov dx,al
mov ah,9
int 21h
ret
我很困惑为什么编译时会出现错误:
错误:操作码和操作数的组合无效
因为从理论上讲,我所做的只是将5放入AL寄存器,将其添加3,然后将AL寄存器的内容放入DX寄存器中进行输出,然后显示。
任何帮助将不胜感激,谢谢!
DX是一个 16 位的寄存器,但是AL是一个 8 位的。
加载AL到DL,并设置DH为 0。
但这不会做你想要的;函数 9 [显示一个以空字符结尾的字符串]。您告诉它显示从数据段的偏移量 9 开始的字符串,这可能是垃圾。
您需要先将答案转换为一系列数字,然后调用函数 9。
有一些示例代码用于将寄存器的内容转换为可用的字符串。复制在这里以供参考,由别名Bitdog的用户编写。
; ------ WDDD = Write a Decimal Digit Dword at the cursor & a CRLF ------
;
; Call with, DX:AX = Dword value to print
; Returns, CF set on error, if DX:AX > 655359 max#
; (see WDECEAX.inc for larger number prints)
align 16
WDDD: CMP DX,10
JB WDDDok
STC ;CF=set
RET ;error DX:AX exceeded max value
WDDDok: PUSH AX
PUSH BX
PUSH CX
PUSH DX
XOR CX,CX ; clear count register for push count
MOV BX,10
WDDDnz: DIV BX ; divide DX:AX by BX=10
PUSH DX ; put least siginificant number (remainder) on stack
XOR DX,DX ; clear remainder reciever for next divide
OR AX,AX ; check to see if AX=number is divided to 0 yet
LOOPNE WDDDnz ; get another digit? count the pushes
MOV AH,2 ; function 2 for interupt 21h write digit
NEG CX ; two's compliment, reverse CX
MOV BL,48 ; '0'
WDDDwr: POP DX ; get digit to print, last pushed=most significant
ADD DL,BL ; convert remainder to ASCII character
INT 21h ; print ascii interupt 21h ( function 2 in AH )
LOOP WDDDwr ; deincrement CX, write another, if CX=0 we done
MOV DL,13 ; CR carriage return (AH=2 still)
INT 21h
MOV DL,10 ; LF line feed
INT 21h
POP DX
POP CX
POP BX
POP AX
CLC ;CF=clear, sucess
RET
; A divide error occurs if DX has any value
; when DIV trys to put the remainder into it
; after the DIVide is completed.
; So, DX:AX can be a larger number if the divisor is a larger number.