我需要某种方式让父进程分别与每个子进程进行通信。
我有一些孩子需要与其他孩子分开与父母沟通。
父母有没有办法与每个孩子建立私人沟通渠道?
例如,孩子也可以向父母发送一个结构变量吗?
我对这类事情不熟悉,因此感谢您的帮助。谢谢
(我假设我们在这里谈论的是 linux)
正如您可能发现的那样,fork()
它本身只会复制调用过程,它不处理IPC。
从前叉手册:
fork() 通过复制调用进程来创建一个新进程。新进程(称为子进程)是调用进程(称为父进程)的完全副本。
一旦你 forked() 处理 IPC 最常见的方法是使用管道,特别是如果你想要“每个孩子的私人通信通道”。这是一个典型且简单的使用示例,类似于您可以在pipe
手册中找到的示例(不检查返回值):
#include <sys/wait.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>
int
main(int argc, char * argv[])
{
int pipefd[2];
pid_t cpid;
char buf;
pipe(pipefd); // create the pipe
cpid = fork(); // duplicate the current process
if (cpid == 0) // if I am the child then
{
close(pipefd[1]); // close the write-end of the pipe, I'm not going to use it
while (read(pipefd[0], &buf, 1) > 0) // read while EOF
write(1, &buf, 1);
write(1, "\n", 1);
close(pipefd[0]); // close the read-end of the pipe
exit(EXIT_SUCCESS);
}
else // if I am the parent then
{
close(pipefd[0]); // close the read-end of the pipe, I'm not going to use it
write(pipefd[1], argv[1], strlen(argv[1])); // send the content of argv[1] to the reader
close(pipefd[1]); // close the write-end of the pipe, thus sending EOF to the reader
wait(NULL); // wait for the child process to exit before I do the same
exit(EXIT_SUCCESS);
}
return 0;
}
代码非常不言自明:
从那里你可以做任何你想做的事;只要记住检查您的返回值并阅读dup
, pipe
, fork
, wait
... 手册,它们就会派上用场。
还有许多其他方法可以在进程之间共享数据,尽管它们不符合您的“私人”要求,但它们可能会让您感兴趣:
甚至是一个简单的文件......(我什至曾经使用 SIGUSR1/2信号在进程之间发送二进制数据......但我不建议这样做哈哈。)可能还有一些我没有考虑过的事情现在。
祝你好运。