虽然,Do While,For汇编语言中的循环(emu8086)

时间:2015-02-23 01:07:39

标签: assembly converter x86-16 low-level-code

我想将高级语言中的简单循环转换为汇编语言(对于emu8086)说,我有这段代码:

 for(int x = 0; x<=3; x++)
 {
  //Do something!
 }

 int x=1;
 do{
 //Do something!
 }
 while(x==1)

 while(x==1){
 //Do something
 }

我如何在emu8086中执行此操作?

2 个答案:

答案 0 :(得分:36)

for循环:

C中的For循环:

for(int x = 0; x<=3; x++)
{
    //Do something!
}

8086汇编程序中的相同循环:

        xor cx,cx   ; cx-register is the counter, set to 0
loop1   nop         ; Whatever you wanna do goes here, should not change cx
        inc cx      ; Increment
        cmp cx,3    ; Compare cx to the limit
        jle loop1   ; Loop while less or equal

如果您需要访问索引(cx),那就是循环。如果你只是想要0-3 = 4次,但你不需要索引,这将更容易:

        mov cx,4    ; 4 iterations
loop1   nop         ; Whatever you wanna do goes here, should not change cx
        loop loop1  ; loop instruction decrements cx and jumps to label if not 0

如果你只是想要执行一个非常简单的指令,你也可以使用一个汇编指令,它只会硬化该指令

times 4 nop

DO-while循环

在C中执行循环:

int x=1;
do{
    //Do something!
}
while(x==1)

汇编程序中的相同循环:

        mov ax,1
loop1   nop         ; Whatever you wanna do goes here
        cmp ax,1    ; Check wether cx is 1
        je loop1    ; And loop if equal

while循环

C中的while循环:

while(x==1){
    //Do something
}

汇编程序中的相同循环:

        jmp loop1   ; Jump to condition first
cloop1  nop         ; Execute the content of the loop
loop1   cmp ax,1    ; Check the condition
        je cloop1   ; Jump to content of the loop if met

对于for循环,你应该使用cx寄存器,因为它非常标准。对于其他循环条件,您可以根据自己的喜好进行注册。当然,用你想在循环中执行的所有指令替换无操作指令。

答案 1 :(得分:-3)

Do{
   AX = 0
   AX = AX + 5
   BX = 0
   BX= BX+AX 
} While( AX != BX)

Do while 循环总是在每次迭代结束时检查循环条件。