CMP和JGE不适用于Turbo C ++

时间:2013-03-29 15:26:43

标签: c++ visual-studio-2010 assembly turbo-c++

我正在使用C ++和汇编语言(8086)编写一个Mix程序,以便从数组中找到最小的数字。这是我的代码

#include<iostream>
#include<conio.h>
using namespace std;
void main()
{
__int16 a[5],x,y,res;
int i,j;
y=999;

cout<<"\n Enter 5 Numbers:";
for(i=0;i<5;i++)
{
    cin>>a[i];
}

_asm{
    mov bx,y
}

//Finding smallest
for(i=0;i<5;i++)
{
    x=a[i];
    _asm{
        mov ax,x
        cmp ax,bx
        jge nxt
        mov bx,ax
        nxt:
    }
}

_asm{
    mov res,bx;
}

cout<<"\n Smallest Element:"<<res;
getch();
}

上面的代码是用Visual Studio 2010编写的,似乎工作正常。但是,当我更新Turbo c ++的相同代码(即将“iostream”更改为“iostream.h”,删除“using namespace std;”,将“__int16”更改为“int”等)时,它不起作用。执行后产生的答案是错误的。

这是我的同一个

的TC ++程序
#include<iostream.h>
#include<conio.h>
void main()
{
int a[5],x,y,res;
int i,j;
y=999;

cout<<"\n Enter 5 Numbers:";
for(i=0;i<5;i++)
{
    cin>>a[i];
}

_asm{
    mov bx,y
}

//Finding smallest
for(i=0;i<5;i++)
{
    x=a[i];
    _asm{
        mov ax,x
        cmp ax,bx
        jge nxt
        mov bx,ax
    }
    nxt:
}

_asm{
    mov res,bx;
}

cout<<"\n Smallest Element:"<<res;
getch();
}

为什么TC ++和Visual Studio 10没有给出相同的答案?

1 个答案:

答案 0 :(得分:0)

您不能指望寄存器在汇编代码段之间保留其值。你有三个程序集片段,它们之间有C块,它们依赖于bx保持不变。编译器没有做出这样的承诺。

使用内存来存储运行最小值,或者使用单个程序集片段重新配置。对于后一种方法,您必须在汇编中重写for循环和数组访问;它非常可行。像这样:

_asm{
mov dx, y ; we'll use dx instead of bx for the running minimum - long story
mov bx, a   ; that's the array pointer
mov si, 0 ; that's our i
loop:
    mov ax, [bx+si*2] ; read a[i] into ax; *2 because int is two bytes
    cmp ax,dx
    jge nxt
    mov dx, ax
    nxt:
    ;Now the for loop stuff
    inc si ; i++
    cmp si, 5 ; compare i to 5
    jl loop   ; if less, continue looping
; End of loop
mov res,dx;
}

我使用bx和si进行基本+索引内存访问,因为在早期的x86 CPU上,你只能使用有限的寄存器子集进行那种内存访问(对于base,si或di,bx或bp为指数)。这些天,您可以使用任何寄存器组合;但我不确定古董Turbo C是否会采取这种做法。