文件操作原理

共享文件夹操作:

sudo vmhgfs-fuse .host:/ /mnt/hgfs -o nonempty -o allow_other//解决共享文件夹无法显示问题

路径 /mnt/hgfs/share

文件描述符是一个非负整数,文件描述符0:标准输入,(键盘输入),文件描述符1:标准输出,文件描述符2:标准错误(可以存放垃圾文件)

open函数打开文件,打开失败返回的fd为-1

文件存放在块设备中的文件系统文件中,叫做静态文件;

当用open打开一个文件时,linux内核做的操作包括:内核在进程中建立一个打开文件的数据结构(结构体),记录下我们打开的这个文件,内核在内存中申请一段内存,将静态文件的内容从块设备中读取到内核中特定地址管理存放(动态文件);

文件读写操作针对动态文件,当close关闭动态文件时,close内部内核将动态文件中的内容去更新块设备中的静态文件;

块设备读写按照你块进行,不灵活,内存按字节单位操作。

可读                 r                 4

可写                w                2

执行                x                 1

0600              rw               4+2 

//open函数用法

#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdio.h>

int main()
{
        int fd;        
        fd = open("./file1",O_RDWR);        //注意open返回一个文件描述符,很重要

        if(fd == -1){        //文件描述符等于-1,文件打开失败
                printf("open file1 failed\n");
                fd = open("file1",O_RDWR|O_CREAT,0600);        //创建一个文件,0600是权限
                if(fd > 0){
                        printf("creat file1 success!\n");
                }

}


        return 0;
}  

/*O_CREAT和O_EXCL一起使用可以判断是否存在一个文件

#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdio.h>

int main()
{
        int fd;
        fd = open("file1",O_RDWR|O_CREAT|O_EXCL,0600);
        if(fd == -1){
                printf("had file!\n");
        }

        return 0;
}*/

/*O_APPEND 从文件尾部开始写入

O_TRUNC全部覆盖掉,慎用

#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdio.h>
#include <unistd.h>
#include <string.h>
#include <stdlib.h>
int main()
{
        int fd;
        char *buf = "ChenLiChen hen shuai!";

        fd = open("./file1",O_RDWR|O_APPEND);

        printf("open success : fd = %d\n",fd);

        int n_write =  write(fd,buf,strlen(buf));
        if(n_write != -1){
                printf("write %d byte to file1\n",n_write);
        }
                  
        close(fd);

        return 0;
}
creat("/home/hy/file2",S_IRWXR);//创建一个可执行文件file2

*/

Logo

更多推荐