当尝试创建一个简单的链表时,我一直得到分段错误。这个问题似乎发生在print_list函数内部。我一直试图解决这个问题大约一个小时,但它仍然不工作。我真的很感激你的帮助。这是代码:
#include<stdio.h>
#include<stdlib.h>
struct node{
double value;
struct node *next;
};
struct node* getnode()
{
struct node* create;
create=(struct node*)malloc(sizeof(struct node));
create->next=NULL;
return create;
}
void insert_at_beg(struct node*first,double x)
{
struct node*temp=getnode();
if(!first)
{
temp->value=x;
first=temp;
}
else
{
temp->value=x;
temp->next=first;
first=temp;
}
}
void print_list(struct node*first)
{
struct node*temp;
temp=first;
if(temp==NULL)
{ printf("The list is empty!n");
return;
}
while(temp!=NULL)
if(temp->next ==NULL) // this is where i get the segmentation fault
{ printf("%lf ",temp->value);
break;
}
else
{
printf("%lf ",temp->value);
temp=temp->next;
}
printf("n");
}
int main()
{
struct node *first;
insert_at_beg(first,10.2);
insert_at_beg(first,17.8);
print_list(first);
system("PAUSE");
}
让返回新的列表头:
void insert_at_beg(struct node *first, double x)
{
struct node *temp = getnode();
temp->value = x;
temp->next = first;
return temp;
}
也简单了一点。:)
然后在main()
中,执行:
struct node *first = insert_at_beg(NULL, 10.2);
first = insert_at_beg(first, 17.8);
可以使用gdb - [GNU调试器]。它应该可以帮助您找出分割错误的确切位置。你可以在这个链接中找到更多信息
下一个调用temp->的地址无效。C不默认初始化变量,你需要将第一个值设置为NULL
struct node* first = NULL;