我需要增加一个数字,以便代码将永远增加,但仍为零。
这是我的代码:
section .data
FORMAT: db '%c', 0
FORMATDBG: db '%d', 10, 0
EQUAL: db "is equal", 10, 0
repeat:
push ecx ; just to print
push FORMATDBG ; just to print
call printf ; just to print
add esp, 8 ; add the spaces
inc ecx ; increment ecx
cmp ecx, 0 ; compare ecx to zero
ja repeat ; if not equal to zero loop again
最佳答案
repeat:
xor ecx, ecx
push ecx ; just to print
push FORMATDBG ; just to print
call printf ; just to print
add esp, 8 ; add the spaces
inc ecx ; increment ecx
cmp ecx, 0 ; compare ecx to zero
ja repeat ; if not equal to zero loop again
xor ecx, ecx
将ecx
设置为零。我不确定你是否知道这一点。您可能不希望它在每次迭代中都发生。此外,循环条件ja repeat
当前仅在ecx > 0
可能不是您想要的(或者是?)时才导致循环。最后一件事,
printf
可能会破坏ecx
(我假设是cdecl
或stdcall
)。阅读有关调用约定的内容(不确定使用的是哪种编译器/ OS),并查看保证在函数调用中保留了哪些寄存器。就您的代码而言,您可能希望更接近以下内容:
xor ebx, ebx
repeat:
push ebx ; just to print
push FORMATDBG ; just to print
call printf ; just to print
add esp, 8 ; add the spaces
inc ebx ; increment ecx
cmp ebx, 0 ; compare ecx to zero
ja repeat ; if not equal to zero loop again
但是,这不会导致无限循环。当
ebx
达到最大值时,其值将回绕为0,这将导致循环条件(ebx>0
)评估为false并退出循环。关于assembly - 汇编语言中的ecx增量,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10423465/