思维导图:
data:image/s3,"s3://crabby-images/104cd/104cd61ad8c4d20ed44b5d912c9b0834775c3965" alt=""
双向循环链表头插入:
代码:
Doublelist insert_head(Doublelist head,datatype element)
{
//创建新节点s
Doublelist s=create_node();
if(NULL==s)
{
return head;
}
s->data=element;//数据存储
//判断链表是否为空
if(NULL==head)
{
head=s;
return head;
}
else
{
Doublelist rear=head->priv;
//开始插入
s->next=head;//把原来的头放到s的后面
head->priv=s;//原来的head前指针指向s
head=s;//s成为新的头
//形成两个环
head->priv=rear;
rear->next=head;
return head;
}
}
画图:
data:image/s3,"s3://crabby-images/011dc/011dcaf231af281eabad16e75ccf08fa2cc3dd7c" alt=""
运行效果:
data:image/s3,"s3://crabby-images/10d62/10d6208231d13331c504dd8456bb3ad2d511cce5" alt=""
双向循环链表尾插入:
代码:
//尾插
Doublelist insert_rear(Doublelist head,datatype element)
{
//创建新节点s
Doublelist s=create_node();
if(NULL==s)
{
return head;
}
s->data=element;//数据存储
//判断链表是否为空
if(NULL==head)
{
head=s;
return head;
}
else
{
Doublelist p=head;
//找最后一个节点
while(p->next!=head)
{
p=p->next;
}
//开始插入
p->next=s;//把数据存放s放到的最后一位的后面
s->priv=p;//s的前一个是原来的最后一个成为新的最后一个s
s->next=head;
head->priv=s;
return head;
}
}
画图:
data:image/s3,"s3://crabby-images/eab67/eab678a91c8c7b8d7124a9a4910d02327f71b50d" alt=""
运行效果:
data:image/s3,"s3://crabby-images/55f03/55f037ac2e02459844bbafe2d36472be63a31a76" alt=""
双向循环链表头删除
代码:
//头删除
Doublelist del_head(Doublelist head)
{
if(NULL==head)
{
return head;
}
if(head->next==head)
{
free(head);
head=NULL;
return head;
}
else
{
Doublelist rear=head->priv;//定位到最后一个节点,并存储
Doublelist del=head;//要删除的头标志到del
head=head->next;//头节点变成原来的下一个
free(del);//释放del
del=NULL;//防止del
//形成环
rear->next=head;
head->priv=rear;
return head;
}
}
画图:
data:image/s3,"s3://crabby-images/a1d35/a1d3577499149f0033a14663626bc2646f832a58" alt=""
运行效果:
data:image/s3,"s3://crabby-images/012a5/012a5f34bb133cd08a615df17f1c82b967fa34d0" alt=""
双向循环链表尾删除
代码:
//尾巴删除
Doublelist del_rear(Doublelist head)
{
if(NULL==head)
{
return head;
}
else if(head->next==NULL)
{
free(head);
head=NULL;
return head;
}
else
{
Doublelist p=head;
//找倒数第二个节点
while(p->next->next!=head)
{
p=p->next;
}
//标记倒数第一个
Doublelist del=p->next;
free(del);//释放最后一个
del=NULL;//防止野指针
p->next=head;//新的最后一个指向空
head->priv=p;
return head;
}
}
画图:
data:image/s3,"s3://crabby-images/15874/15874987198d7bc90a84b2810b8f5314b2d5ed46" alt=""
运行效果:
data:image/s3,"s3://crabby-images/83302/833027f9dea427b922a85b8510e6092eccc559ff" alt=""