一般的Linux进程间通信的方法:pipe
socket
shared memory
FIFO
Message Queue
Semaphores
Shared Memory
Android另外还有Binder等,也是用的shared memory机制。这有专门的说明,这里就不多说了。
pipe
pipe只能用于有同一个父进程的进程之间,或者在父进程和子进程之间进行通信。#include int pipe(int filedes[2]);
filedes[0] 由于读,fields[1]则被用于写。
下面看一个例子&#xff1a;#include "apue.h"intmain(void){ int n; int fd[2]; pid_t pid; char line[MAXLINE]; if (pipe(fd) <0)//打开一个pipe err_sys("pipe error"); if ((pid &#61; fork()) <0) { err_sys("fork error"); } else if (pid > 0) { /* parent */ close(fd[0]);//父进程中&#xff0c;由于没有读的&#xff0c;就先关闭读的Pipe write(fd[1], "hello world\n", 12);//fd[1]可以用于写&#xff0c;所以往这个pipe中写内容 } else { /* child */ close(fd[1]);//子进程没有写&#xff0c;只读。所以可以把fd[1]先关掉 n &#61; read(fd[0], line, MAXLINE);//读fd[0]。 write(STDOUT_FILENO, line, n); } exit(0);}
FIFO
FIFO可以用于两个不相干的进程间的通信。#include int mkfifo(const char *pathname, mode_t mode);//pathname指定用于FIFO的文件的完整路径&#xff0c;
打开之后&#xff0c;就可以打开pathname对应的文件&#xff0c;对其进行写和读了。下面看一个例子&#xff1a;
Server程序&#xff1a;// fifo.c#include #include #include #include #include #include #include #include #define FIFO "/tmp/fifo.temp1"#define MAXLINE 1024int main(void) { int fifo, fd; char buf[MAXLINE]; int len; fd_set set; struct timeval tv; int i &#61; 0; unlink(FIFO); //如果FIFO存在&#xff0c;就先删除 if ((fifo &#61; mkfifo(FIFO, O_RDWR)) <0) //产生一个有名管道 { printf("mkfifo error: %s/n", strerror(errno)); return(0); } if ((fd &#61; open(FIFO, O_RDWR)) <0) //读写打开有名管道 { printf("open error: %s/n", strerror(errno)); return(0); } FD_ZERO(&set); FD_SET(fd, &set); tv.tv_sec &#61; 5; tv.tv_usec &#61; 0; //超时设置&#xff0c;超过5秒没有信息&#xff0c;就打印超时 while (1) { FD_SET(fd, &set); if ((i &#61; select(fd &#43; 1, &set, NULL, NULL, &tv)) > 0)//检测管道是否信息 { printf("receive data/n"); if (FD_ISSET(fd, &set)) { len &#61; read(fd, buf, MAXLINE);//读取信息 buf[len] &#61; &#39;/0&#39;; printf("buf &#61; %s/n", buf); tv.tv_sec &#61; atoi(buf); tv.tv_usec &#61; 0; } } else if (i &#61;&#61; 0) { tv.tv_sec &#61; 5; tv.tv_usec &#61; 0; printf("chaoshi/n"); } else printf("error/n"); } unlink(FIFO); //删除有名管道 return(0); }
Client程序&#xff1a;//fifo_cli.c#include #include #include #include #include #include #define FIFO "/tmp/fifo.temp1"#define MAXLINE 1024int main(void) { int fifo; char buf[MAXLINE]; int len; int i &#61; 0; strcpy(buf, "10"); if ((fifo &#61; open(FIFO, O_RDWR)) <0) //读写打开有名管道 { printf("mkfifo error: %s/n", strerror(errno)); return(0); } while (i <10) { sprintf(buf, "%d", i &#43; 1); len &#61; write(fifo, buf, strlen(buf)); //写入信息到管道中 printf("send len &#61; %d/n", len); sleep(i); i&#43;&#43;; } return(0); }
编译运行&#xff1a;
&#xff03;gcc -o fifo fifo.c
&#xff03;gcc -o fifo_cli fifo_cli.c
先运行./fifo&#xff0c;在运行./fifo_cli
程序效果&#xff1a;
fifo_cli将信息通过管道发送给fifo,fifo将信息显示出来。fifo_cli发送10次信息&#xff0c;即0、1、2 ….. 9
fifo接受后可以显示&#xff0c;显示10次以后无数据接受&#xff0c;显示“chaoshi”&#xff0c;需要用kill命令删除进程。
待续…