匿名管道通过一个文件描述符沟通,这个pipe是单工的。因为使用文件描述符,所以只能在同一个进程或者子进程之间通信。
在父进程中一般有这样的形式:
close(pipefd[0]); /* 关闭 read end */ write(pipefd[1], argv[1], strlen(argv[1])); close(pipefd[1]); /* Reader will see EOF */ wait(NULL); /* Wait for child(同步) */ exit(EXIT_SUCCESS);
这里我们把父进程当作write进程,子进程当作read进程,其实反过来也一样。pipefd是一个二元数组,用来管理管道的read end 和 write end。
创建管道的方式是使用pipe()
if (pipe(pipefd) == -1) { perror("pipe"); exit(EXIT_FAILURE); }
子进程中的形式与父进程类似
close(pipefd[1]); /* Close unused write end */ while (read(pipefd[0], &buf, 1) > 0) write(STDOUT_FILENO, &buf, 1); write(STDOUT_FILENO, "\n", 1); close(pipefd[0]); _exit(EXIT_SUCCESS); /* _exit是一个子进程版的exit,可以避免执行atexit */
在shell中使用mkfifo fifo就可以创建一个具名管道,在文件夹下可以看到一个fifo,用ls -l fifo可以看到以p开头,说明这是一个管道。
mknod fifo c/b/p 可以决定创建的fifo的文件类型,通过https://en.wikipedia.org/wiki/Device_file了解block special和character special文件的区别。
在unix函数中使用mkfifo(path, umask),path必须是绝对路径,umask推荐使用定义于#include <sys/stat.h>中的常量(跨平台),当然使用8进制的umask也可以。
pthread_create可以创建一个线程,第一个参数是表示类型为pthread_t的线程的ID,第二个参数是在新线程中执行的例程,该例程应该被定义为void *类型,第四个参数是可以被传入的参数。
pthread_join传入线程的ID等待指定的线程ID结束。
#include<unistd.h> #include<stdlib.h> #include<stdio.h> #include<pthread.h> #include<fcntl.h> #include <sys/stat.h> #define FIFO "test_fifo" void *read_fifo(void* dummy) { int fd = open(FIFO, O_RDONLY); char read_buf[1024]; read(fd, read_buf, 1024); write(STDOUT_FILENO, read_buf, 1024); close(fd); return NULL; } void *write_fifo(void* dummy) { int fd = open(FIFO, O_WRONLY); write(fd, "test1 running now.\n",19); close(fd); return NULL; } void test1() { pthread_t tid1; pthread_t tid2; mkfifo(FIFO, S_IRUSR | S_IWUSR| S_IRGRP|S_IWGRP); pthread_create(&tid1, NULL, read_fifo, NULL); pthread_create(&tid2, NULL, write_fifo, NULL); pthread_join(tid1,NULL); pthread_join(tid2,NULL); } int main() { test1(); }
原文:http://www.cnblogs.com/autoria/p/6480888.html