我对 C 中的符号链表有疑问。我创建了一个链表,代码如下所示:
#include <stdio.h>
#include <stdlib.h>
struct node
{
int data;
struct node* next;
};
struct node *mknode(int data)
{
struct node* np=malloc(sizeof(struct node));
np->data=data;
np->next=NULL;
return np;
}
struct node * insert (struct node* list,int data)
{
struct node *np;
struct node*curr=list;
struct node* prev=NULL;
np=mknode(data);
for(;curr &&data<curr->data;curr=curr->next )
prev=curr;
np->next=curr;
if(prev)
prev->next=np;
else
list=np;
return list;
}
int main()
{
struct node* head;
head=malloc(sizeof(struct node));
head=insert(head,7);
head=insert(head,2);
head=insert(head,4);
printf("%d",head->data);
printf("%d",head->next->data);
printf("%d",head->next->next->data);
return 0;
}
但是,当我在互联网上搜索时,我意识到,双指针用于创建链表而不是普通指针。我的意思是struct node **list
,,不是struct node * list
。我想知道为什么 ?哪一个是正确的,如果它们都是正确的,它们之间有什么区别,我将我的实现与我在这里编写的示例 main 一起使用,它工作正常但我不知道为什么要使用指向指针的指针?提前致谢。