1

我是 C 的初学者,我必须使用 fork 和管道进行练习我必须创建一个填充管道(使用键盘:)的父进程stdin和一个必须读取管道并将其打印在屏幕。

但是这段代码的执行给我带来了一个我已经在 J​​ava 上编程过的“分段错误核心转储”,这相当于一个“NullpoinerException”,对吗?我正在寻求帮助,因为我在 2 小时后就遇到了这个问题 谢谢

#include <stdio.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>

int main()
{

  char* p;
  char* buffer;
  int fd[2];

  pid_t pid = fork();
  pipe(fd);

  //Cas du fils consommateur (Lire dans la pipe, et afficher le contenu a l'ecran ) 
  if (pid == 0)
  {
    close(fd[1]);

    int a;
    do
    {
      a = read(fd[0], buffer, 512);
      //printf("consomateur: %s",  buffer);
    } while (a != 0);

    //Cas du père producteur (remplir la pipe par saisie au clavier)
  }
  else
  {
    close(fd[0]);
    char *adString;

    printf("Enter data \n");
    do
    {
      adString = fgets(buffer, 20, stdin); // on recupere dans un buffer les donneés lues
      write(fd[1], buffer, 512); // on met dans la pipe ce qu'on a mis dans le buffer
    } while (strcmp(adString, "") != 0);

  }

  return 0;
}
4

1 回答 1

1

缺少为指针分配内存的代码:

char* buffer;

因此,例如这一行:

a = read(fd[0], buffer, 512);

读取到一个随机地址,这很可能导致分段违规。


要解决此问题,您可能希望像这样声明buffer

char buffer[512 + 1] = ""; /* Defines buffer to hold 513 bytes and initialise them to 0. */

参考+ 1:为了在 C 中存储“字符串”,需要一个额外的字符来存储“字符串”的0终止符,标记“字符串”的结尾。


如果 C 中存在NULL指针异常,则可能导致分段错误。然而,如果访问无效的内存地址,通常会发生后者NULL

被转储的核心是进程死亡时的映像。此时您可以使用此核心文件来检查进程。为此,请使用 gdb:

gbd <program-path/program-file> <core-path/core-file>
于 2013-09-28T15:06:03.350 回答