0

我有两个可执行文件 - 父进程和它的子进程,以长模式运行(例如服务器等)。我所需要的只是将孩子的 stdout 和 stderr 重定向到父进程并将它们写入文件或打印到 tty,现在没关系。

如果我们谈论简单的孩子,这是非常简单的任务,但是对于具有部分输出的长期运行的孩子来说,这是一个问题。

例如,让我们看看流行的解决方案pipe(错误检查和其他不重要的部分省略):

父.c

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>

int main(int argc, const char *argv[])
{
  int link[2];
  pid_t pid;
  char str[4096];

  pipe(link);
  pid = fork();

  if (pid == 0) {
    dup2(link[1], STDOUT_FILENO);
    close(link[0]);
    execl("/path_to_bin/fast_child", "fast_child", (char *)0);
  }
  else 
  {
    close(link[1]);
    read(link[0], str, sizeof(str));
    printf("Pipe contents: %s\n", str);
    wait(NULL);
  }

  return 0;
}

fast_child.c

#include <stdio.h>
#include <unistd.h>

int main(int argc, const char *argv[])
{
  printf("I'm fast child\n");
  return 0;
}

以出色且无问题的方式使用这种类型的子进程在父进程中获取 str(out|err) ,但是将此代码用作子进程会导致父进程中的输出消失问题:

慢孩子.c

#include <stdio.h>
#include <unistd.h>

int main(int argc, const char *argv[])
{
  for (;;)
  {
    printf("I'm slow child\n");
    sleep(1);
  }
  return 0;
}

我正在考虑使用套接字作为解决问题的解决方案,但我确信这不是那么有效的方法,Unix 提供了更好的工具来做到这一点(像往常一样:)

谢谢你。

4

1 回答 1

3

您需要不时刷新孩子的输出,否则父任务将看不到任何内容。fflush(stdout)在适当的地方使用。或者您可以关闭 stdout 上的缓冲,但这可能会对您的孩子的性能产生影响,因为它会对每个写入的字符进行系统调用。

于 2012-08-28T12:13:00.673 回答