目录
fopen,fread,fwrite,fclose;
open,read,write,close;
实现在内核中;(陷入内核,切换到内核)
open重载:两个参数用于打开一个已经存在的文件;三个参数的用于新建一个文件,并
设置访问权限;
pathname:文件和路径和名称;
flags:文件的打开方式;
mode:文件的权限,如"0600";
open的返回值为int,称为文件描述符;
flags的打开标志,如:
O_WRONLY:只写打开;
O_RDONLY:只读打开;
O_RDWR:读写方式打开;
O_CREAT:文件不存在则创建;
O_APPEND:文件末尾追加;
O_TRUNC:清空文件,重新写入;
fd:对应打开的文件描述符
buf:写入的文件内容;
count:要写入多少个字节;
返回值:ssize_t:实际写入了多少个字节;
- #include
- #include
- #include
- #include
- #include
-
- int main()
- {
-
-
- int fd=open("file.txt",O_WRONLY|O_CREAT,0600);//我们首先创建一个文件,全新创建需要给出权限
- //fd是一个文件描述符,用于来唯一标识我们的文件
- assert(fd!=-1);
- printf("fd=%d\n",fd);
-
- write(fd,"hello",5);
-
- close(fd);
- exit(0);
- }
fd:对应打开的文件描述符;
buf:把文件内容读取到一块空间buf中;
count:期望要读取的字节数;返回值:ssize_t:实际读取了多少个字节;
- #include
- #include
- #include
- #include
- #include
-
- int main()
- {
-
- int fd=open("file.txt",O_RDONLY);
- assert(fd!=-1);
-
- char buff[128]={0};
- int n=read(fd,buff,127);
- printf("n=%d,buff=%s\n",n,buff);
-
- close(fd);
- exit(0);
- }
关闭文件描述符;
文件打开以后,内核给文件的一个编号;(>0的整数)
0,1,2是默认打开的;
0:标准输入;
1:标准输出;
2:标准错误输出;
- #include
- #include
- #include
-
- int main()
- {
- write(1,"hello",5);
- exit(0);
- }
3.使用:
打开一个文件并往里面写入hello:
- #include
- #include
- #include
- #include
- #include
-
- int main()
- {
-
- int fd=open("file.txt",O_RDONLY);
- assert(fd!=-1);
- printf("fd=%d\n",fd);
-
- write(fd,"hello",5);
-
- close(fd);
- exit(0);
- }
打开文件,读取文件内容:
- #include
- #include
- #include
- #include
- #include
-
- int main()
- {
-
-
- int fd=open("file.txt",O_WRONLY|O_CREAT,0600);
- assert(fd!=-1);
- char buff[128]={0};
- int n=read(fd,buff,127);
- printf("n=%d,buff=%s\n",n,buff);
-
- close(fd);
- exit(0);
- }
我们可以通过读和写来复制一个文件,怎么做呢?我们先打开一个二进制文件,在创建一个新的文件,并且去读二进制文件将读到的数据写入新文件中,重复这个过程知道读不到数据的时候就复制完成(当read()
返回值为0,即读不到数据)
- #include
- #include
- #include
- #include
-
- int main()
- {
-
- int fdr = open("file.txt",O_RDONLY);
- //只读方式打开
- int fdw = open("newfile,txt",O_WRONLY|O_CREAT,0600);
- //创建新的文件,O_CREAT 给权限
- if(fdr == -1 ||fdw == -1)//表示原文件打开或新文件创建出现错误
- {
- exit(0);
- }
- char buff[256] = {0};
- int num = 0;//代表读到多少数据
- while((num = read(fdr,buff,256))>0)
- {
- write(fdw,buff,num);
- }
-
- close(fdr);
- close(fdw);
-
- exit(0);
- }
- ~
(cp 文件名 新文件名)
- #include
- #include
- #include
- #include
-
- int main(int argc,char *argv[])
- {
- if(argc!=3)
- {
- printf("arg error\n");
- }
- char *file_name=argv[1];
- char *newfile_name=argv[2];
-
- int fdr=open(file_nam,O_RDONLY);
- int fdw=open(newfile_name,O_WRONLY|O_CREAT,0600);
-
-
- if(fdr==-1||fdw==-1)
- {
- exit(0);
- }
- char buff[256]={0};
- int num=0;
-
- while((num=read(fdr,buff,256))>0)
- {
- write(fdw,buff,num);
- }
-
- close(fdr);
- close(fdw);
-
- exit(0);
- }
./test03 file.txt newfile.txt