函数说明:创建一个命名管道,如果成功则返回0,,否则返回-1
函数原型:int open(const char *pathname, int flag);
函数说明:一旦已经用mkfifo创建了一个命名管道,就可以用open打开它。返回-1则打开管道失败
函数原型:int close(int fd);
函数说明:可以用来关闭一个创建了的管道
当打开一个FIFO(命名管道时),非阻塞标志(O_NONBLOCK)产生下列影响:
(1) 在一般情况中(没有说明O_NONBLOCK),只读打开要阻塞到某个其他进程为写打开此FIFO。同理,为写而打开一个FIFO要阻塞到某个其他进程为读而打开它
(2) 如果指定了O_NONBLOCK,则只读打开立即返回。但是,如果没有进程为读而打开一个FOFO,那么只写打开将出错返回,其errno是ENXIO
//readfifo.cc #include <iostream> #include <sys/types.h> #include <sys/stat.h> #include <fcntl.h> using namespace std; const char *fifo_path = "/home/hahaya/Program/进程间通信之命名管道/fifo"; int main() { //创建一个命名管道 int ret = mkfifo(fifo_path, O_CREAT|0777); if(ret == -1) { cout << "create fifo failed..." << endl; return 0; } //打开命名管道 int fd = open(fifo_path, O_RDONLY|O_NONBLOCK); if(fd == -1) { cout << "open fifo failed..." << endl; return 0; } //从管道中读取数据 char buff[128] = {'\0'}; while(1) { if(read(fd, buff, sizeof(buff)) > 0) { cout << buff << endl; } } //关闭命名管道 close(fd); return 0; } //writefifo.cc #include <iostream> #include <sys/types.h> #include <sys/stat.h> #include <fcntl.h> using namespace std; const char *fifo_path = "/home/hahaya/Program/进程间通信之命名管道/fifo"; int main() { //打开命名管道 int fd = open(fifo_path, O_WRONLY|O_NONBLOCK, 0); if(fd == -1) { cout << "open fifo failed..." << endl; return 0; } //向管道中写入数据 char buff[128] = {'\0'}; while(1) { cin.getline(buff, sizeof(buff)); write(fd, buff, sizeof(buff)); } close(fd); return 0; }
程序运行截图:
注意:
1 先运行readfifo程序再运行writefifo,因为命名管道fifo是再readfifo程序中创建的
2 需要确保fifo_path下没有fifo这个文件,否则在运行readfifo程序时因为命名管道fifo已存在,所以执行mkfifo函数会失败,则会直接退出readfifo程序
3 在writefifo程序下输入的字符,会再readfifo程序下显示