#include <sys/stat.h>
#include <dirent.h>
#include <unistd.h>
#include <sys/types.h>
#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <string.h>
int main(int argc, char *argv[])
{
int fd = open("a.txt", O_RDWR | O_CREAT, 0664);
if (fd == -1) {
perror("open");
return -1;
}
int fd1 = open("b.txt", O_RDWR | O_CREAT, 0664);
if (fd1 == -1) {
perror("open");
return -1;
}
printf("fd: %d, fd1: %d\n", fd, fd1);
int fd2 = dup2(fd, fd1);
if( fd2 == -1) {
perror("dup2");
return -1;
}
char* str = "Hello, dup2";
int ret = write(fd1, str, strlen(str));
if (ret == -1) {
perror("write");
return -1;
}
printf("fd: %d, fd1: %d, fd2: %d\n", fd, fd1, fd2);
close(fd);
close(fd1);
return 0;
}
相比于dup 函数,dup2 函数可以将一个文件描述符重定向至另一个文件描述符指向的文件
在上面的代码中,fd1 被重定向到了fd 所指向的a.txt 文件,因此对fd1 文件描述符进行操作相当于操作a.txt
另外dup2 函数的返回值并没有实质的作用,可以把返回值当作判断dup2 函数调用是否成功的依据
在本代码中,fd2 的值和fd1 是一致的
|