0

尝试通过 eax 从 asm proc 返回一个 long int,然后尝试通过 dx:ax。两者都对我不起作用,因为 C printf 打印的数字与所需的 320L 不同。

x.asm:

.model SMALL
.stack 100h
.code
.386
; extern int get_buffered_long(long int **arr, int num_of_elements, int i);
;                                   [BP+4]      [BP+6]              [BP+8]
PUBLIC _get_bufferred_long 
_get_bufferred_long PROC NEAR
        push BP
        mov BP,SP
        push SI
        push DI
        push BX
        call locate_slot            
        ;mov EAX, DWORD PTR [DI]     ;something here doesn't work. the way i return a long int to borland C, or other issue.
        mov ax,[DI]
        mov dx,[DI+2]
        pop BX
        pop DI
        pop SI
        pop BP
        ret
_get_bufferred_long ENDP
; extern void set_bufferred_long(long int *arr[], int buff_size, int i,long int value);
;                                       [BP+4]      [BP+6]      [BP+8]      [BP+10]
PUBLIC _set_bufferred_long
_set_bufferred_long PROC NEAR
    push BP
    mov BP,SP
    pushad
    call locate_slot
    mov EAX,[BP+10]
    mov DWORD PTR [DI],EAX
    popad
    pop BP
    ret
_set_bufferred_long ENDP
; helper function that makes DI point to the slot wanted.
locate_slot PROC NEAR
    calc_slot:
        mov SI,[BP+4]
        mov AX,[BP+8]
        mov BX,[BP+6]
        xor DX,DX
        div BX
    locate_slot_in_array:
        shl AX,1
        add SI,AX
        mov DI,[SI]
        shl DX,2
        add DI,DX
        ret
locate_slot ENDP
end

yc:

#include "stdio.h"
#include "stdlib.h"

extern int get_bufferred_long(long int**,int,int);
extern void set_bufferred_long(long int**,int,int,long int);

int main(){
    long int **arr;
    int i,j,n,m;
    n = 5;
    m = 4;
    arr=(long int**)malloc(n*sizeof(long int*));
    for(i=0; i < n; i = i + 2) arr[i] = malloc( m*sizeof(long int));
    for(i=1; i < n; i = i + 2) arr[i] = malloc( m*sizeof(long int));
    for(i=0; i < n; i++)
        for(j=0; j < m; j++) 
            set_bufferred_long(arr, m, i*m+j, i*100+j*10);

    printf("get_bufferred_long(arr, %d, %d) = %ld\n", m, 14, get_bufferred_long(arr,m, 14));
    return 0;
}

set 函数有效(数组看起来与需要的完全一样)。get 函数也可以工作,它在 asm 中获取 320L,但是当传递给 C 时,出现了问题。

没有编译错误或警告。borland c++ 5.02

4

1 回答 1

2

好吧,在 386 bcc 上确实在 16 位模式下使用 AX:DX;不知道32位。

但是看看你的代码!

    ...
    mov dx,[DI+2]
    mov ax,[DI]
    mov dx,[DI+2]
    pop DX
    ...

您正在使用结果加载 DX 寄存器,然后将堆栈弹出到其中,吹走它的值。DX 不必在简单的过程中通过 push/pop 来保存(例如,仅在 DOS ISR 中)。

编辑

好的,我看到您在代码中解决了上述问题。下一个问题很可能是您要声明

/* After execution, return value is assumed to be in AX. */ 
extern int get_bufferred_long(long int**,int,int);

然后期待一个 32 位的返回值。您提到printf正在推动AX登记。这意味着您正在编译为 16 位代码。如果您想要 16 位代码中的 32 位返回值,则必须声明返回值long并将其放在DX:AX.

/* After execution, return value is assumed to be in DX:AX reg pair. */
extern long get_bufferred_long(long int**,int,int);

-S您可以通过使用该选项将一个小程序编译为汇编来验证正确的返回约定。尝试例如:

long val(void) { return 0x12345678L; }

查看生成的程序集,了解编译器如何返回这个 long 值。

于 2012-12-18T03:43:38.863 回答