编写代码,创建父子进程,使用无名管道,实现父进程给子进程发送消息。
创建无名管道:
pipe函数可用于创建一个管道,以实现进程间的通信。
pipe函数的定义如下:
#include<unistd.h>
int pipe(int fd[2]);
pipe函数定义中的fd参数是一个大小为2的一个数组类型的指针。该函数成功时返回0,并将一对打开的文件描述符值填入fd参数指向的数组。失败时返回 -1并设置errno。
通过pipe函数创建的这两个文件描述符 fd[0] 和 fd[1] 分别构成管道的两端,往 fd[1] 写入的数据可以从 fd[0] 读出。并且 fd[1] 一端只能进行写操作,fd[0] 一端只能进行读操作,不能反过来使用。要实现双向数据传输,可以使用两个管道。
父进程通过write函数向fd[1]中写入消息,子进程通过read函数从fd[0]中读出消息并打印。
#include<stdio.h>
#include<errno.h>
#include<string.h>
#include<stdlib.h>
#include<sys/wait.h>
#include<sys/types.h>
#include<unistd.h>
int main(){
int fd[2];
if( pipe(fd) == -1 ){
perror("管道创建失败");
}
pid_t pid = fork();
if ( pid > 0 ){
printf("input sth to children:\n");
char s[256] = {0};
gets(s);
write(fd[1],s,strlen(s));
wait(NULL);
}
else if( pid == 0){
char buf[256];
bzero(buf,256);
read(fd[0],buf,256);
printf("father say %s\n",buf);
}
else{
printf("进程创建失败\n");
}
close(fd[0]);
close(fd[1]);
return 0;
}