一、文件的打开创建
#include <sys/types.h>#include <sys/stat.h>#include <fcntl.h>int open(const char *pathname, int flags);
flags: O_RDONLY 只读
O_WRONLY 只写
O_RDWR 可读可写
int open(const char *pathname, int flags, mode_t mode);
如果 没有该文件:
flags:
打开文件,如果没有,创建一个
O_CREAT: open("file1",O_RDWR|O_CREAT,0600); //这里的0600 是权限
//打开文件,如果没有,创建一个,如果有返回-1
O_EXCL: open("file1",O_RDWR|O_CREAT|O_EXCL,0600);
//打开文件,从文件尾部开始写入,不覆盖前面的内容
O_APPEND: open("./file1",O_RDWR|O_EXCL);
//可读可写的方式打开文件,删除原文件所有内容,从新写入
O_TRUNC: open("./file1",O_RDWR|O_TRUNC);
二、文件的写入
write 的函数原型#include <unistd.h>ssize_t write(int fd, const void *buf, size_t count);
需要包含这个 头文件,把buf这个缓存区的 count 个字节 写到fd中
如果成功了的话,返回的为写入个个数,否则为-1
三、文件的读取
原型
#include <unistd.h>ssize_t read(int fd, void *buf, size_t count);
read()尝试从文件中读取最多count个字节 fd从buf开始进入缓冲区。
我们在写入文件的时候,最后会导致光标在文件末尾。如果直接read 会导致读取失败。
目前有两个方法,解决。
第一个:写完文件后,关闭文件重新打开,能让光标回到起始位置。
//第二个:#include <sys/types.h>#include <unistd.h>off_t lseek(int fd, off_t offset, int whence);fd:所表述的文件offset :光标偏移的个数。如果为正数则向后偏移,whence(从哪里偏移呢?):1、SEEK_SET: 把光标偏移文件头部2、SEEK_cur: 把光标放在当前位置3、SEEK_END: 把光标放在文件尾部
四、cp指令的实现
/*实现文件复制的步骤
1.打开源文件和目标文件,如果没有创建一个,如果有删除里面内容。
2.读取源文件的内容
3写到目标文件中。
4关闭文件
#include <string.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdlib.h>
#include <unistd.h>
#include <stdio.h>#include <unistd.h>#include<stdio.h>int main(int argc,char** argv)
{int fdSrc;int fdDes;char *readBuf = NULL; //通过参数判断指令是否正确if(argc != 3){printf("error\n");exit(-1);}fdSrc = open(argv[1],O_RDWR); //打开源文件int size = lseek(fdSrc,0,SEEK_END);lseek(fdSrc,0,SEEK_SET); // 通过lseek()判断源文件大小,注意要把光标回到开头readBuf = malloc(sizeof(char*)*size + 8);int n_read = read(fdSrc,readBuf,1024); //避免内存浪费,可用size 代替fdDes = open(argv[2],O_RDWR|O_CREAT,0600);int n_write = write(fdDes,readBuf,strlen(readBuf));close(fdSrc);close(fdDes);return 0;
}