linux,C语言,编写一段程序,使其用管道来实现父子进程之间的进程通信。子进程向父进程发送自己的进程标识符,以及字符串“is sending a message to parent!”。父进程则通过管道读出子进程发来的消息,将消息显示在屏幕上,然后终止。
时间: 2024-02-12 11:05:41 浏览: 81
Linux下C语言编程——进程通信
好的,这是一个使用管道实现父子进程之间通信的简单示例程序。首先介绍一下管道的概念:管道是一种进程间通信机制,它可以在两个进程之间传递数据。在 Linux 中,管道是一种特殊的文件,它有两个文件描述符,一个用于读,一个用于写。管道只能在具有亲缘关系的进程之间使用。
下面是示例程序的代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>
int main()
{
int fd[2];
pid_t pid;
char buf[100];
if (pipe(fd) < 0) {
perror("pipe error");
exit(1);
}
if ((pid = fork()) < 0) {
perror("fork error");
exit(1);
} else if (pid > 0) { // parent process
close(fd[1]); // close write end
read(fd[0], buf, sizeof(buf));
printf("Received message from child process: %s\n", buf);
close(fd[0]); // close read end
exit(0);
} else { // child process
close(fd[0]); // close read end
sprintf(buf, "%d is sending a message to parent!", getpid());
write(fd[1], buf, strlen(buf));
close(fd[1]); // close write end
exit(0);
}
return 0;
}
```
程序中首先创建了一个管道,然后通过 fork() 创建了一个子进程。在子进程中,使用 sprintf() 将要发送的消息写入 buf 中,然后通过 write() 发送到管道中。在父进程中,先关闭写端,然后通过 read() 读取管道中的数据,最后将读取到的数据打印出来。
需要注意的是,在父进程中要先关闭写端,否则 read() 会一直阻塞等待,因为管道中没有数据可读。在子进程中同理,要先关闭读端。最后,不管是父进程还是子进程,都需要关闭管道的另一个端口,否则会造成资源泄露。
阅读全文