目录
题目
在带头结点单链表L中,删除所有值为x的结点,并释放器空间,假设值为x的结点不唯一,试编写算法实现以上操作。
核心代码
//删除x
void Delete_x(LinkList L,int x){
LNode *p=L;
LNode *q;
while(p->next!=NULL){
q=p->next;
if(q->data==x){
p->next=q->next;
free(q);
}else{
p=q;
}
}
}
完整代码
//单链表的基本操作
#include<stdio.h>
#include<stdlib.h>
#include<stdbool.h>
typedef struct LNode
{
int data; //数据域
struct LNode *next; //指针域
}LNode,*LinkList;
//初始化单链表,建立头结点
bool InitList(LinkList L){
L=(LNode *)malloc(sizeof(LNode));
L->next=NULL;
return true;
}
//采用尾插法建立一个单链表
LinkList List_TailInsert(LinkList &L){
int x;
L=(LNode *)malloc(sizeof(LNode));
LNode *s,*r=L;
printf("请输入你想插入的第一个值(1—10000):");
scanf("%d",&x);
while(x!=9999){
s=(LNode *)malloc(sizeof(LNode));
s->data=x;
r->next=s;
r=s;
printf("想插入的下一个值:");
scanf("%d",&x);
}
r->next=NULL;
return L;
}
//删除x
void Delete_x(LinkList L,int x){
LNode *p=L;
LNode *q;
while(p->next!=NULL){
q=p->next;
if(q->data==x){
p->next=q->next;
free(q);
}else{
p=q;
}
}
}
// 输出函数
void print(LinkList L) {
LNode* p = L->next; // 从头节点开始遍历
if (p == NULL) {
printf("链表为空。\n");
} else {
printf("此时单链表中的数据有: ");
while (p != NULL) {
printf("%d ", p->data);
p = p->next;
}
printf("\n");
}
}
int main(){
LinkList L;
InitList(L);
List_TailInsert(L);
print(L);
//删除x
int x;
printf("请输入你想删除的值:");
scanf("%d",&x);
Delete_x(L,x);
print(L);
return 0;
}
示例
请输入你想插入的第一个值(1—10000):2
想插入的下一个值:3
想插入的下一个值:4
想插入的下一个值:5
想插入的下一个值:4
想插入的下一个值:6
想插入的下一个值:8
想插入的下一个值:9999
此时单链表中的数据有: 2 3 4 5 4 6 8
请输入你想删除的值:4
此时单链表中的数据有: 2 3 5 6 8