我正在用汇编编写一个程序,但它不起作用,所以我想在 x86 函数中输出变量,以确保这些值是我期望的。有没有一种简单的方法可以做到这一点,还是非常复杂?
如果它更简单,则汇编函数是从 C 函数中使用的,并且是用 gcc 编译的。
您的问题似乎与“如何在 x86 汇编器中打印出变量值”类似。x86 本身不知道如何做到这一点,因为它完全取决于您使用的输出设备(以及操作系统为该输出设备提供的接口的细节)。
一种方法是使用操作系统系统调用,正如您在另一个答案中提到的那样。如果您使用的是 x86 Linux,那么您可以使用sys_write
sys 调用将字符串写入标准输出,如下所示(GNU 汇编器语法):
STR:
.string "message from assembler\n"
.globl asmfunc
.type asmfunc, @function
asmfunc:
movl $4, %eax # sys_write
movl $1, %ebx # stdout
leal STR, %ecx #
movl $23, %edx # length
int $0x80 # syscall
ret
但是,如果您想打印数值,那么最灵活的方法是使用printf()
C 标准库中的函数(您提到您正在从 C 调用您的汇编程序,因此您可能无论如何都链接到标准库)。这是一个例子:
int_format:
.string "%d\n"
.globl asmfunc2
.type asmfunc2, @function
asmfunc2:
movl $123456, %eax
# print content of %eax as decimal integer
pusha # save all registers
pushl %eax
pushl $int_format
call printf
add $8, %esp # remove arguments from stack
popa # restore saved registers
ret
有两点需要注意: