如何在C中实现单链表

时间:2019-04-12 00:38:35

标签: c struct linked-list nodes singly-linked-list

我正在尝试用C填充我的链表,但是id并没有说明 我想要。我想保留一个指针“ p”,并继续使用相同的指针添加到列表中。但是,当我尝试打印时,它仅打印打印头的数据!

#include<stdio.h>
#include <stdlib.h>

 typedef struct{
  int data;
  struct node *next;
}node;

int main(){
   node *head = NULL;
   head =  malloc(sizeof(node));
   if(head==NULL){
     printf("ta foirer quelque chose frero!");
     return 1;
   }
   (*head).data=3;
   (*head).next=NULL;

   node *p = NULL;

  p = (node*) head->next;
  p =  malloc(sizeof(node));
  p->data = 5;

  p->next = NULL;
  p= (node *)p->next;

  int i=0;
  while(i<5){
    p =  malloc(sizeof(node));
    i++;
    p->data = i;
    p->next=NULL;
    p= (node *)p->next;
  }


  p = head;

  while(p){
    printf("\n%d",p->data);
    p =(node*) p->next;
  }

  return 0;
}

我得到了输出

3

我希望得到

3
5
0
1
2
3
4

1 个答案:

答案 0 :(得分:0)

#include<stdio.h>
#include <stdlib.h>

struct Node {
  int data;
  struct Node *next;
};

typedef struct Node node;

void insert(node* h, int v) {
    node* tmp = h;

    while(tmp->next)
        tmp = tmp->next;
    node* newnode = malloc(sizeof(node));
    newnode->data = v;
    newnode->next = NULL;
    tmp->next = newnode;
}

int main(){
   node *head = NULL;
   head =  malloc(sizeof(node));
   if(head==NULL){
     printf("ta foirer quelque chose frero!");
     return 1;
   }
   head->data=3;
   head->next = NULL;


   node *p = NULL;

  insert(head, 5);
  int i=0;
  while(i<5){
    insert(head, i++);
  }


  p = head;

  while(p){
    printf("%d\n",p->data);
    p = p->next;
  }

  return 0;
}

如果您注意到了,我稍微更改了代码的布局,并使代码更整洁。您需要遍历以找到节点,该节点出现在添加新节点的地方之前,在本例中是结束。通常,这是包含头的不同结构中的单独指针,这被称为链表的 tail 。您只是没有跟踪真正添加节点的位置。上面的插入函数可以做到这一点。