写端程序:
#include <stdio.h> #include <sys/types.h> #include <sys/stat.h> #include <stdlib.h> #include <unistd.h> #include <fcntl.h> #include <string.h> int main() { // 往管道里面写数据 // 创建之前首先判断管道文件是否存在 // 使用F_OK宏判断文件访问是否OK int ret = access("test", F_OK); if (ret == -1) { printf("管道不存在,创建\n"); ret = mkfifo("test", 0664); if (ret == -1) { perror("mkfifo"); exit(0); } } // 打开管道,以只写的方式读取管道 int fd = open("test", O_WRONLY); if (fd == -1) { perror("open"); exit(0); } // 写数据 for (int i = 0; i, 100; i++) { char buf[1024]; sprintf(buf, "hello, %d\n", i); printf("写入的数据是%s: ", buf); write(fd, buf, strlen(buf)); sleep(1); } close(fd); return 0; }
读端程序:
#include <stdio.h> #include <sys/types.h> #include <sys/stat.h> #include <stdlib.h> #include <unistd.h> #include <fcntl.h> #include <string.h> int main() { // 从管道读取数据 // 打开管道,以只读的方式读取管道 int fd = open("test", O_RDONLY); if (fd == -1) { perror("open"); exit(0); } // 读数据 while (1) { char buf[1024] = {0}; int len = read(fd, buf, sizeof(buf)); if (len == 0) { printf("写端断开连接。。。。。。。。\n"); break; } printf("收到的数据是:%s", buf); } close(fd); return 0; }
这两个程序,前者向管道中写入数据,后者从管道中读取数据
如果先运行前者,而后者未运行
那么前者会一直阻塞,且不会向管道中写入任何数据,直到后者开始运行
如果先运行后者,而前者未运行
那么显然也会阻塞,因为管道中不存在任何数据,直到前者运行(向管道中写入数据)
前者运行之后,然后后者运行,此时前者开始向管道中写入数据,后者从管道中读取数据,如果此时突然终止后者,那么前者也会随之终止(不是写入终止,而是整个程序会直接终止,因为写端被打开后,又关闭了,注意和一开始就没有被打开这种情况进行区分)