4

好的,当我运行这段代码时,我遇到了分段错误:

#include<stdio.h> 
#include<stdlib.h>
#include<string.h>
#define MAX 64

struct example {
    char *name;
};

int main()
{
    struct example *s = malloc (MAX); 
    strcpy(s->name ,"Hello World!!");
    return !printf("%s\n", s->name);
}

终端输出:

alshamlan@alshamlan-VGN-CR520E:/tmp/interview$ make q1
cc -Wall -g    q1.c   -o q1
alshamlan@alshamlan-VGN-CR520E:/tmp/interview$ ./q1
Segmentation fault (core dumped)
alshamlan@alshamlan-VGN-CR520E:/tmp/interview$ gedit q1.c

有人可以解释发生了什么吗?

4

4 回答 4

3

您可能为结构分配了内存,但没有为其字符指针分配内存。

您不能对未分配的内存执行 strcpy。你可以说

s->name = "Hello World"; 

反而。

或者,为您的 char 分配内存,然后执行复制。 注意:我绝不认可以下代码是好的,只是它会起作用。

int main()
{
  struct example *s = malloc(MAX);
  s->name = malloc(MAX);
  strcpy(s->name ,"Hello World!!");
  return !printf("%s\n", s->name);
}

编辑:这可能是一个更干净的实现,但我仍然讨厌 C 风格的字符串

#include<stdio.h>
#include<stdlib.h>
#include<string.h>
#define KNOWN_GOOD_BUFFER_SIZE 64

typedef struct example {
  char *name;
} MyExample;

int main()
{
  MyExample *s = (MyExample*) malloc( sizeof(MyExample) );
  s->name = (char*) malloc(KNOWN_GOOD_BUFFER_SIZE);
  strcpy(s->name ,"Hello World!!");
  printf("%s\n", s->name);
  free(s->name);
  free(s);
  return 0;
}
于 2013-10-29T03:42:35.687 回答
1

您正在为结构分配内存,但 char *name 仍指向未初始化的内存。您还需要为 char * 分配内存。如果你希望它是一个最大大小为 64 的字符串,你可以在创建后更改它,试试这个:

#include<stdio.h> 
#include<stdlib.h>
#include<string.h>
#define MAX 64

struct example {
    char *name;
};

int main()
{
    struct example *s = malloc(sizeof(struct example)); 
    s->name = malloc(MAX * sizeof(char));
    strcpy(s->name ,"Hello World!!");
    return !printf("%s\n", s->name);
}

注意我只将 MAX 分配给 char *。示例结构只需为 sizeof(struct example)),因此将其设为 MAX 是没有意义的。这是一种更好的方法,因为即使您更改示例结构的成员,您的 malloc 也会继续为您提供正确的大小。

于 2013-10-29T03:52:51.913 回答
0

问题是您正在为s但不是为分配内存s->name,因此您正在对未定义行为的未初始化指针执行间接寻址。假设您真的想为一个分配空间struct example并且您希望您的字符串是大小MAX,那么您需要以下分配:

struct example *s = malloc (sizeof(struct example)); 
s->name = malloc(MAX*sizeof(char)) ;

请注意使用运算符 sizeof来确定要为其分配内存的数据类型的正确大小。

于 2013-10-29T03:55:14.737 回答
0
struct example *s = malloc (MAX); 

那条线指向一个能够保存 64 个示例结构的内存。每个示例结构只有足够的内存来保存一个指针(称为名称)。

strcpy(s->name ,"Hello World!!");

那是无效的,因为 s->name 没有指向任何地方,它需要指向分配的内存。

你可能想要:

struct example *s = malloc(sizeof(struct example)); //Allocate one example structure
s->name = malloc(MAX); //allocate 64 bytes for name 
strcpy(s->name,"Hello world!"); //This is ok now.

这与以下内容相同:

struct example s;  //Declare example structure
s.name = malloc(MAX);  //allocate 64 bytes to name
strcpy(s.name,"Hello world!");
于 2013-10-29T04:00:38.643 回答