linux – 如何在汇编程序中打开文件并进行修改?

我开始学习汇编程序,我在Unix工作.我想打开一个文件并在上面写上“Hello world”.

section.data

textoutput db 'Hello world!', 10
lentext equ $- textoutput
filetoopen db 'hi.txt'

section .text
global _start

_start:

mov eax, 5            ;open
mov ebx, filetoopen
mov ecx, 2            ;read and write mode
int 80h

mov eax, 4
mov ebx, filetoopen   ;I'm not sure what do i have to put here, what is the "file descriptor"?
mov ecx, textoutput
mov edx, lentext

mov eax, 1
mov ebx, 0
int 80h              ; finish without errors

但是当我编译它时,它什么也没做.我究竟做错了什么?
当我打开一个文件描述符值返回的文件?

解决方法:

这是x86 Linux(x86不是唯一的汇编语言,Linux不是唯一的Unix!)…

section .data

textoutput db 'Hello world!', 10
lentext equ $- textoutput
filetoopen db 'hi.txt'

文件名字符串需要一个0字节的终结符:filetoopen db’hi.txt’,0

section .text
global _start

_start:

mov eax, 5            ;open
mov ebx, filetoopen
mov ecx, 2            ;read and write mode

2是open syscall的O_RDWR标志.如果您希望创建该文件(如果该文件尚不存在),则还需要O_CREAT标志;如果指定O_CREAT,则需要第三个参数,即文件的权限模式.如果你在C标题中徘徊,你会发现O_CREAT定义为0100 – 小心前导零:这是一个八进制常量!您可以使用o后缀在nasm中编写八进制常量.

所以你需要像mov ecx,0102o这样的东西来获得正确的标志和mov edx,0666o来设置permssions.

int 80h

系统调用的返回码在eax中传递.这里,这将是文件描述符(如果打开成功)或小的负数,这是一个负的errno代码(例如,对于EPERM为-1).请注意,从原始系统调用返回错误代码的约定与C syscall包装器(通常返回-1并在发生错误时设置errno)不完全相同…

mov eax, 4
mov ebx, filetoopen   ;I'm not sure what do i have to put here, what is the "file descriptor"?

…所以在这里你需要移动ebx,首先是eax(在eax被覆盖之前保存打开的结果)然后移动eax,4.(你可能想要先考虑检查结果是否为正,然后处理失败如果不是,以某种方式打开.)

mov ecx, textoutput
mov edx, lentext

在这里错过了80h.

mov eax, 1
mov ebx, 0
int 80h              ; finish without errors
上一篇:linux – 将字符与Intel x86_64程序集进行比较


下一篇:linux – x86_64程序集execve * char []系统调用