我正在寻找一种在汇编程序中打印整数的方法(我使用的编译器是 Linux 上的 NASM),但是,经过一些研究,我还没有找到真正可行的解决方案。我能够找到用于此目的的基本算法的描述,并在此基础上开发了以下代码:
global _start
section .bss
digit: resb 16
count: resb 16
i: resb 16
section .data
section .text
_start:
mov dword[i], 108eh ; i = 4238
mov dword[count], 1
L01:
mov eax, dword[i]
cdq
mov ecx, 0Ah
div ecx
mov dword[digit], edx
add dword[digit], 30h ; add 48 to digit to make it an ASCII char
call write_digit
inc dword[count]
mov eax, dword[i]
cdq
mov ecx, 0Ah
div ecx
mov dword[i], eax
cmp dword[i], 0Ah
jg L01
add dword[i], 48 ; add 48 to i to make it an ASCII char
mov eax, 4 ; system call #4 = sys_write
mov ebx, 1 ; file descriptor 1 = stdout
mov ecx, i ; store *address* of i into ecx
mov edx, 16 ; byte size of 16
int 80h
jmp exit
exit:
mov eax, 01h ; exit()
xor ebx, ebx ; errno
int 80h
write_digit:
mov eax, 4 ; system call #4 = sys_write
mov ebx, 1 ; file descriptor 1 = stdout
mov ecx, digit ; store *address* of digit into ecx
mov edx, 16 ; byte size of 16
int 80h
ret
我想要实现的 C# 版本(为了清楚起见):
static string int2string(int i)
{
Stack<char> stack = new Stack<char>();
string s = "";
do
{
stack.Push((char)((i % 10) + 48));
i = i / 10;
} while (i > 10);
stack.Push((char)(i + 48));
foreach (char c in stack)
{
s += c;
}
return s;
}
问题是它反向输出字符,所以对于4238
,输出是8324
。起初,我以为我可以使用 x86 堆栈来解决这个问题,将数字压入,然后将它们弹出并在最后打印出来,但是当我尝试实现该功能时,它失败了,我再也无法得到输出。
结果,我对如何在该算法中实现堆栈以实现我的目标(即打印整数)有点困惑。如果有可用的解决方案,我也会对更简单/更好的解决方案感兴趣(因为它是我的第一个汇编程序之一)。