public static void main(String[] args) {
int a = 0;
for (int i = 0; i < 20; i++) {
if (i < 10) {
a++;
} else {
a--;
}
}
System.out.println(a);
System.exit(0);
}
这是我要转换为汇编代码的代码。我想我已经设法做了除system.out.println(a);
之外的所有事情我已尝试过几乎所有内容,并对sys_write调用提供了各种输入。我不允许使用print f,而应该使用mov命令。这是我现在的代码:
cr equ 13
ld equ 10
STDOUT equ 1
SYS_WRITE equ 4
section .bss
a resb 1
section .text
global _start
_start:
mov [a], byte 0
mov [a],ax
start_for:
cmp cx,20
jge slutt_for
cmp cx,10
jge else
inc ax
jmp slutt_if
else:
dec ax
slutt_if:
inc cx
jmp start_for
slutt_for:
mov ecx,eax ; This is where I need help
add ecx,'0'
mov eax,4
mov edx,5
mov ebx,1
int 80h ; End where I need help
mov eax,1
int 80h
它应该在我使用gdb -tui filename 访问的调试器中工作,但没有任何结果。代码的其余部分完成了它应该做的事情,但没有完成。我几乎尝试过任何东西。帮助
答案 0 :(得分:1)
int a
和int i
是32位变量,因此适合处理32位寄存器(EAX
和EDX
)。在32位系统中,通常应避免使用16位寄存器(AX
和CX
)。使用32位寄存器或8位寄存器(AL
,CL
)。
您忘记初始化CX
,AX
的初始化错误。
SYS_WRITE系统调用(int 80h)需要ECX
指向字符串的指针(你是一个直接字符)。因此,您必须先存储该角色,然后将指针加载到ECX
。此外,在EDX
中,您必须加载要打印的正确字符数量。
这个有效:
section .bss
a resb 1
section .text
global _start
_start:
xor eax, eax ; a = 0
xor cl, cl ; i = 0
start_for:
cmp cl, 20
jge slutt_for
cmp cl, 10
jge else
inc eax ; a++
jmp slutt_if
else:
dec eax ; a--
slutt_if:
inc cl ; i++
jmp start_for
slutt_for:
add al, '0'
mov [a], al
mov ecx, a ; Pointer to a
write:
mov eax, 4 ; SYS_WRITE
mov edx, 1 ; Amount of chars to print
mov ebx, 1 ; STDOUT
int 80h
exit:
mov ebx, 0 ; return 0
mov eax, 1
int 80h