Bootstrap

【Linux】open打开文件和open创建新文件

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


    //打开一个已经存在的文件
    int open(const char *pathname, int flags);
        参数:
            -pathname:要打开的文件路径
            -flags:对文件的操作权限设置和其他的设置
            O_RDONLY,  O_WRONLY, O_RDWR互斥,三选一
        返回这:返回一个新的文件描述符,如果调用失败,返回-1

    errno:属于Linux系统函数库,库里面的一个全局变量,记录的是错误号


    #include <stdio.h>
    void perror(const char *s);
        s参数:用户描述,比如hello,最终输出的内容是   hello:xxx(实际的错误描述)
    作用:打印error对应的错误描述



    //创建一个新的文件
    int open(const char *pathname, int flags, mode_t mode);

*/

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


int main(){
    int fd=open("a.txt",O_RDONLY);
    if(fd==-1){
        perror("open");
    }
    close(fd);

    return 0;
}

上面这段代码中,我尝试使用open函数打开a.txt文件,但a.txt文件其实是并不存在的。所以根据注释,fd会等于-1。再设置if判断条件,如果fd=-1,使用perror函数打印出open文件的错误,perror里的参数是open呢?因为该源文件的名字我命名的是open.c,你用其他的也是可以的。

编译open.c文件,并执行,最后perror函数就会输出错误,没有这样的文件夹。

在这里插入图片描述


上面已经使用open打开了一个已存在的文件夹进行操作,下面再试试open创建一个新的文件夹进行操作。

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

    //创建一个新的文件
    int open(const char *pathname, int flags, mode_t mode);
        参数:
            -pathname:要创建的文件的路径
            -flags:对文件的操作权限和其他的设置
                -必选项: O_RDONLY,  O_WRONLY, O_RDWR互斥,三选一
                -可选项: O_CREAT 文件不存在,创建新文件
            -mode:八进制的数,表示用户对创建出的新的文件的操作权限,比如:0777 
            但最终的权限并不是你设置的,而是你设置的与系统所给的一个八进制数的与结果
            最终的权限是:mode & ~umask
            umask可以直接输入这个单词查询它的值,这个值我们可以自己设置
            umask的作用就是抹除某些权限

            flags参数是一个int类型的数据,占4个字节,32位
            flags 32个位,每一个位就是一个标志位 

        

*/

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

int main(){

    //创建一个新的文件
    int fd=open("create.txt",O_RDWR|O_CREAT,0777);
    if(fd==-1){
        perror("open");
    }
    close(fd);

}
;