好的,这是c
中的一个简单的单链表程序struct node
{
int id;
char name[20];
int sem;
struct node *link;
};
typedef struct node* Node;
Node getnode()
{
Node temp=(Node)(malloc(sizeof(Node)));
if(temp==NULL)
printf("\n Out of memory");
return temp;
}
Node ins_pos(Node first)
{
Node temp=getnode();
printf("\n Enter id ");
scanf("%d",&temp->id);
printf("\n Enter name ");
scanf("%s",temp->name);
printf("\n Enter semester ");
scanf("%d",&temp->sem);
if(first == NULL)
{
temp->link=NULL;
return temp;
}
else
{
int pos,i;
printf("\n Enter position: ");
scanf("%d",&pos);
if(pos == 1)
{
temp->link=first;
return temp;
}
else
{
Node prev=NULL,cur=first;
for(i=1; i<pos; i++)
{
if(cur==NULL)
break;
prev=cur;
cur=cur->link;
}
if(cur==NULL && i < pos)
printf("\n Position invalid");
else
{
prev->link=temp;
temp->link=cur;
}
return first;
}
}
}
Node del(Node first)
{
if(first==NULL)
printf("\n List is Empty ");
else
{
Node temp=first;
printf("\n ID: %d was deleted",temp->id);
first=first->link;
free(temp);
}
return first;
}
void disply(Node first)
{
if(first==NULL)
printf("\n List is empty");
else
{
Node cur=first;
while(cur!=NULL)
{
printf("\n ID : ");
printf("%d",cur->id);
printf("\n Name : ");
printf("%s",cur->name);
printf("\n Semester : ");
printf("%d",cur->sem);
printf("\n\n\n");
cur=cur->link;
}
}
}
int main()
{
Node first=NULL;
int opt;
do
{
printf("\n QUEUE MENU\n 1.Insert at position \n 2.delete front\n 3.display\n 4.Exit \n\n Enter your choice : ");
scanf("%d",&opt);
switch(opt)
{
case 1 :first = ins_pos(first);
break;
case 2 :first = del(first);
break;
case 3 :disply(first);
break;
}
}while(opt!=4);
return 0;
}
插入新节点时,代码块在malloc语句处崩溃。我怎么知道?好吧,它在询问之前崩溃了#34;输入ID&#34;。那么,我做错了什么?
这里的另一点是,它在节点中只有一个整数字段工作正常,这里的问题可能是字符数组。
答案 0 :(得分:1)
这里有些错误。
malloc( sizeof( struct node ) );
否则分配的内存太少。
是否包含{mall}定义的stdlib.h
- 会导致此问题(没有定义,默认为int)。
答案 1 :(得分:1)
在此功能Node getnode()
-
Node temp=(Node)(malloc(sizeof(Node)));
使用上面的malloc
,您分配的内存大小等于Node
的大小为struct指针的类型,并且还不够。因此,您会遇到分段错误。
而不是这样,写这样 -
Node temp=malloc(sizeof(*temp)); //also there is no need of cast
这将分配等于temp
指向的类型大小的内存,即大小等于结构的大小。哪个合适。
答案 2 :(得分:0)
您需要使用Node temp=(Node)(malloc(sizeof(*temp)));