一、函数
size_t read(int fd, void *buf, size_t count);
功能:从文件fd中期望读取count字节的数据存储到buf内
参数:count:期望读取的字节数
返回:成功读取的字节数,0文件末尾,-1出错
ssize_t write(int fd, const void *buf, size_t count);
功能:将buf里的数据写到文件fd中,大小为count字节
返回:成功写入的字节数,失败-1
二、测试源码
#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
#define N 32
int main(int argc, const char *argv[])
{
int fd_r = open(argv[1], O_RDONLY);
if(fd_r == -1)
{
printf("open error\n");
return -1;
}
int fd_w = open(argv[2], O_RDWR|O_CREAT|O_TRUNC, 0664);
if(fd_w == -1)
{
printf("open error\n");
return -1;
}
char buf[N];
int ret = 0;
while((ret = read(fd_r, buf, N)) > 0)
{
write(fd_w, buf, ret);
}
printf("copy ok\n");
close(fd_r);
close(fd_w);
return 0;
}
三、测试结果
四、关键代码分析
while((ret = read(fd_r, buf, N)) > 0)
{
write(fd_w, buf, ret);
}
当没有读到文件的末尾时,将buf中的数据通过write写入到待拷贝的文件中,直到读到文件末尾。