带头结点的单链表
data:image/s3,"s3://crabby-images/18719/1871912db32ec815b1dd8c7592df0bd27847827a" alt="在这里插入图片描述"
- 带头结点的单链表中,head指向的是头结点,不是实际结点
- 第一个实际结点 head->next
建立空的单链表
不带头结点
node *init()
{
return NULL;
}
带头结点(要申请空间)
node *head;
head=(node*)malloc(sizeof(node));
head->next=NULL;
return head;
插入
尾插法建立带头结点的的单链表
- 申请空间
- 将x赋值s info域
- r->next=s 将s添加
- r往后移 r=s
- 最后 r->next=NULL
头插法建立单链表
带结点
头结点链表头插入
data:image/s3,"s3://crabby-images/0006a/0006abd4bb783f3ce51ef85455e578562c6efc6b" alt="在这里插入图片描述"
头结点中间插入
data:image/s3,"s3://crabby-images/cf397/cf39730d5cd17f77c2bfd199da3e4b7d96544d88" alt="在这里插入图片描述"
不带头结点
插入链表开头
x->next=head->next;
head=x
插入链表其他位置
用p等于插入前的结点
x->next=p->next;
p->next=x;
删除
头结点
p等于删除前的结点
p->next=x->next;
free(x)
不带头结点
p等于删除前的结点
head=head->next;
p->next=x->next;
free(x)
查找
查找初始化
pre=head;
p=head->next;
data:image/s3,"s3://crabby-images/050f6/050f645f02ef986c820d4479ab57f0e5583515a2" alt="在这里插入图片描述"
查找
while(p&p->info!=x){
pre=p;p=p->next;
}
data:image/s3,"s3://crabby-images/82065/820656152be4d435ecd31dfd76746db21bd1b902" alt="在这里插入图片描述"
链表带头结点和不带头结点的区别
所有链表都有一个头指针head,带头结点中head数据为空,不带头结点在头结点存在数据,此时从头插入数据是时,head时刻变化。 带头结点head->next=p data:image/s3,"s3://crabby-images/564d5/564d55ee77d560e1dfd2afe60d679c66afd7614b" alt="在这里插入图片描述" 不带头结点 没有head->next data:image/s3,"s3://crabby-images/b05f9/b05f9cd6d3697651e6423adaf42758ee54810b26" alt="![在这里插入图片描述"
循环单链表
插入
在最前面插入带x的新结点
data:image/s3,"s3://crabby-images/c0463/c0463dc07b6dfe71eab5eb1b34b833b19e26ee79" alt="在这里插入图片描述"
在中间插入(两步)
data:image/s3,"s3://crabby-images/37004/37004e35be2aaf32e2150103331455faae8788f2" alt="在这里插入图片描述"
删除
在最前面删除带x的新结点(3)
q=head;
head=q->next;
pre->next=head;
free(p);
data:image/s3,"s3://crabby-images/b79d8/b79d8ddb9d27a28cae5db685eb655821a3353984" alt="在这里插入图片描述"
在中间删除带x的新结点(找到删除点的前驱)
pre->next=p->next;
free(p);
data:image/s3,"s3://crabby-images/c5063/c5063551867038b37cdde7f7ffe0468ef1da133a" alt="在这里插入图片描述"
不明白:为什么要保留被删除结点位置?
data:image/s3,"s3://crabby-images/55982/55982a278911fbd117ce82bcbf368b86c4ea01ae" alt="因为要" 前两行为什么不直接写成head=head->next?
课后答疑
前两行为什么不直接写成head=head->next? 因为要保存被删除点的地址,否则这个地址会游离,造成很多不确定性事件插入 元素的平均移动个数 1/(n+1)* n(n+1)/2 = n/2
data:image/s3,"s3://crabby-images/5403f/5403f126eca31419b991f69565c9712089305219" alt="在这里插入图片描述" (3+1)/6=4 0+1+1=2 队首删除,队尾插入
- 已知
循环队列 存储在一个数组中,数组大小为n,队首指针和队尾指针分别为front和rear,写出循环队列中当前结点的表达式 (n+rear-front)%n
|