-8
struct node{
int data;
struct node *next;
};

struct node *head,*temp;

void insert()
{
   struct node *var;
   head=NULL;
   var=(struct node*)malloc(sizeof(struct node));
   printf("enter the data:");
   scanf("%d",var->data);
   temp=head;
   if(head==NULL)
   {
     head=var;
     head->next=NULL;
   }
   else
   {
     while(temp->next!=NULL)
     {
       temp=temp->next;
     }
     if(temp->next==NULL)
     {
       temp->next=var;
       temp=temp->next;
       temp->next=NULL;
     }
   }
 }

 void display()
 {
     temp=head;
     if(temp==NULL)
     {
        printf("empty list");
     }
     while(temp->next!=NULL)
     {
       printf("%d",temp->data);
       temp=temp->next;
     }
 }

 void main()
 {
     int value,choice;
     printf("\nenter choice:");
     scanf("%d",&choice);
     while(choice==1)
     {
        insert();
        display();
        printf("\nenter choice:");
        scanf("%d",&choice);
     }
     getch();
 }

我已经使用上面的 c 创建了一个链接列表,但代码没有显示链接列表,而是显示空指针编译作为输出,如何解决这个问题,我是 c 编码的新手,所以找不到足够的解决方案????

4

3 回答 3

4
scanf("%d",var->data); 
//--> scanf("%d",&(var->data)); 

scanf的参数必须是指针类型。

于 2013-08-14T05:47:08.617 回答
2

每次插入时,您都会重置headNULL. 因此,您将始终在头部插入新值,并且任何现有值都将留在内存中,从而导致内存泄漏。

我猜您想将该行head=NULL;移至 main 方法的开头。

并修复你scanf喜欢keeptalk所说的。

于 2013-08-14T05:52:34.327 回答
1

分配using后,您似乎缺少初始化*var成员。next*varmalloc()

于 2013-08-14T05:45:24.797 回答