两个进程读取相同的标准输入(Two processes reading the same stdin

2019-10-18 10:33发布

在C程序中,我有一个菜单,一些可供选择的方案,由字符表示。 有这么叉过程的一个选项,并运行功能(我们可以说,它在后台运行)。 在后台运行该功能,在某些情况下,可以要求用户输入数据。

我的问题是:当主进程要求的数据(或选项)和子进程要求数据量太大,我无法正常发送数据。

你有没有对如何处理这个任何想法?

我会添加一些代码的结构的(我不能发布这一切,因为是大约600行代码):

int main(int argc, char *argv[])
{
    // Some initialization here
    while(1)
    {
        scanf("\n%c", &opt);

        switch(opt)
        {
            // Some options here
            case 'r':
                send_command(PM_RUN, fiforfd, fifowfd, pid);
                break;
            // Some more options here
        }
     }
 }

 void send_command(unsigned char command, int fiforfd, int fifowfd, int pid)
 {
     // Some operations here
     if(command == PM_RUN)
     {
         time = microtime();                
         childpid = fork();
         if(childpid == -1)
         {
             // Error here
         }   
         else if(childpid == 0)
         {
             // Here is the child
             // Some operations and conditions here
             // In some condition, appears this (expected a short in hexadecimal)
             for(i = 0; i < 7; ++i)
                 scanf("%hx\n",&data[i]));
             // More operations
             exit(0);
          }
      }
  }

Answer 1:

它不工作,但它可以是一个解决方案开始

void    send_command(int *p)
{
  pid_t pid;

  pid = fork(); // check -1
  if (pid == 0)
    {
      int       i = 0;
      int       h;
      int       ret;
      char      buffer[128] = {0};

      dup2(p[0], 0);
      while (i < 2)
        {
          if ((ret = scanf("%s\n", buffer)))
            {
              //get your value from the buffer
              i++;
            }
        }
      printf("done\n");
      exit(1);
    }
}

在子过程中,你要读一切从输入,然后找到你所需要的内部价值。

int     main()
{
  char  opt;
  int   p[2];

  pipe(p);
  while(1)
    {
      scanf("\n%c", &opt);


      write(p[1], &opt, 1);
      write(p[1], "\n", 1);

      switch(opt)
        {
          // Some options here
        case 'r':
          {
            send_command(p);
            break;
          }
        default:
          break;
          // Some more options here
        }
    }
}

在目前的情况下,则每次读取的字符将被写入子进程谁在P [0]读取。

当然,如果你有很多的子过程,你必须有文件描述符的列表,并写信给他们每个人(和呼叫管为每个孩子)。

祝好运

编辑: 也许你应该看看namedpipe在父进程写的一切都在它和所有的孩子一样读



文章来源: Two processes reading the same stdin
标签: c fork stdin