2

我在 Linux 中有一个任务,但我无法让它工作。

我有一个接收文本文件作为参数的程序。fork()然后,它使用作为参数接收的文本文件的内容逐行创建子进程并将其发送给子进程。子进程需要计算行数并将收到的行数返回给父进程。

这是我到目前为止所拥有的,但在某种程度上,子进程没有收到所有的行。对于我的测试,我使用了一个包含 9 行的文本文件。父进程以字符串形式发送了 9 行,但子进程只收到了其中的 2 或 3 行。

我究竟做错了什么?

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

int main(int argc, char *argv[])
{  
  char string[80];
  char readbuffer[80];
  int pid, p[2];
  FILE *fp;
  int i=0;
  if(argc != 2)
  {
    printf("Syntax: %s [file_name]\n", argv[0]);
    return 0;    
  }
  fp = fopen(argv[1], "r");
  if(!fp) 
  {    
    printf("Error: File '%s' does not exist.\n", argv[1]);
    return 0;
  }
  if(pipe(p) == -1)
  {
    printf("Error: Creating pipe failed.\n");
    exit(0);
  } 
  // creates the child process
  if((pid=fork()) == -1)
  {
   printf("Error: Child process could not be created.\n");
    exit(0);
  }  

  /* Main process */
  if (pid) 
  { 
    // close the read
    close(p[0]);    
    while(fgets(string,sizeof(string),fp) != NULL)
    {                
       write(p[1], string, (strlen(string)+1));
       printf("%s\n",string);
    } 

    // close the write
    close(p[1]);
    wait(0);
  }

  // child process
  else 
  {   
    // close the write
    close(p[1]); 

    while(read(p[0],readbuffer, sizeof(readbuffer)) != 0) 
    {
      printf("Received string: %s\n", readbuffer);    
    }

    // close the read
    close(p[0]); 
  } 
  fclose(fp);       
}
4

5 回答 5

4

您正在将空终止符发送到另一个进程:

   write(p[1], string, (strlen(string)+1));

这使结果令人困惑,因为当您打印收到的内容时,您只能看到空终止符。

如果您改为这样做:

   write(p[1], string, strlen(string));

你应该得到你所期望的。

于 2012-05-26T15:12:32.947 回答
4

管道是单向的进程间通信通道。您必须创建 2 个管道,一个用于与子进程对话,另一个用于读取数据。

请记住在两个进程上关闭管道的未使用侧。

于 2012-05-26T18:23:56.897 回答
1

您不是在计算行数,而是在计算read(2)返回的次数。

使用管道时,read(2)将从管道中提取尽可能多的数据:min(pipe_available, space_available). 它不关心换行符、0字节等。使其工作的简单技巧:

  • 使用循环行走readbuffer并寻找\n
  • 使用fdopen+ fgets(我觉得这可能有缺陷)
于 2012-05-26T15:04:37.200 回答
1

查看管道的手册页( man 2 pipe ),您正在尝试编写的程序作为示例,将其与您的进行比较:)

于 2012-05-26T15:07:06.030 回答
0

谢谢你的建议。这就是我现在所拥有的,它可以工作,但是如何将答案发回给父母?因为父进程需要答案。

if (pid) /* Main process */
  { 
    /* Close the read */
    close(p[0]);    
    while(fgets(string,sizeof(string),fp) != NULL)
    {   
    write(p[1], string, (strlen(string)));    
    }    
    /* Close the write */
    close(p[1]);
    wait(0);
    printf("\nMain process with PID=%d has terminated succesfully.\n", getpid());
   }
   else /* Child process */
   {   
     /* Close the write */
     close(p[1]);    
     while( read(p[0], readbuffer, sizeof(readbuffer)) > 0) 
     {
       int j=0;
       for(j; j<sizeof(readbuffer); j++)
       {    
       if (readbuffer[j] == '\n')
       { 
          i++;    
       }
        }  
      }
      /* Close the read */
      close(p[0]); 
      printf("\nChild process with PID=%d has terminated succesfully.\nChild process received %d lines from the parent process.\n",getpid(), i);
    } 
于 2012-05-26T18:11:42.330 回答