在我的16位DOS程序中,我想使用DOS中断或其内部表来获取程序实例的完整路径。
换句话说,我在寻找等效于Windows API函数GetModuleFileName(NULL) DOS。

中断21h/AH=60h似乎是正确的方法,但
当程序不在当前目录中时,它将失败。我做了一个简单的测试程序:

MYTEST PROGRAM FORMAT=COM
    MOV AH,60h    ; TRUENAME - CANONICALIZE FILENAME OR PATH.
    MOV SI,MyName
    MOV DI,MyFullName
    INT 21h       ; Convert filename DS:SI to canonizalized name in ES:DI.
    MOV AH,09h    ; WRITE STRING$ TO STARNDARD OUTPUT.
    MOV DX,DI
    INT 21h       ; Display the canonizalized name.
    RET           ; Terminate program.
MyName     DB "MYTEST.COM",0 ; The ASCIIZ name of self (this executable program).
MyFullName DB 256 * BYTE '$' ; Room for the canonizalized name, $-terminated.
  ENDPROGRAM MYTEST

它创建为“C:\ WORK \ MYTEST.COM”,并在Windows 10 / 64bits的DOSBox中运行:
C:\WORK>dir
MYTEST   COM     284 Bytes.
C:\WORK>mytest
C:\WORK\MYTEST.COM      REM this works as expected.
C:\WORK>d:
D:\>c:mytest
D:\MYTEST.COM           REM this is wrong, no such file exists.
D:\>

有人知道如何在16位汇编程序中获取argv [0]的方法吗?

最佳答案

根据DOS版本,您可能会使用未记录的事实,即可以在环境变量之后找到文件名。如:

org 100h

    mov ax, [2Ch]    ; segment of environment from PSP
    mov ds, ax
    xor si, si
findloop:
    cmp word [si], 0 ; one zero for end of string, another for end of table
    lea si, [si+1]
    jne findloop
    lodsb            ; skip end of table
    lodsw            ; number of additional strings (?)
    cmp ax, 1
    jne error
    mov ah, 2
printloop:
    lodsb
    test al, al
    jz done
    mov dl, al
    int 21h
    jmp printloop
done:
error:
    mov ax, 4C00h
    int 21h

至少在dosbox中,这提供了完整路径。在完全不同的操作系统下,您可能需要与当前目录结合,甚至搜索PATH

08-16 11:03