单链表反转
一、迭代实现;
- 新建两指针,curr和prev
ListNode* curr=head;
ListNode* prev=NULL;
2.向前递进条件是curr不为NULL的时候
while(curr){
ListNode*temp=curr->next;
curr->next=prev;
prev=curr;
curr=temp;
}
return prev;
迭代代码逐行演示
data:image/s3,"s3://crabby-images/1c69d/1c69dd012a4dbea15794f7bc3bf4a170d510e728" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/dec91/dec91381af055989b6b3970e77b7653b811d774a" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/2c882/2c8822ceea1411944b24fed955a971da165dca08" alt="在这里插入图片描述"
二、递归实现
1临界条件,因为一个节点或者无节点的时候,没有反转,返回的就是head
head==NULL||head->next==NULL;
2.f函数就是递归函数,它有一个参数
if(head==NULL||head->next==NULL)
return head;
ListNode* Myhead=f(head->next);
head->next->next=head;
head->next=NULL;
return Myhead;
递归实现逐步演示
1.递到最后是这一种情况。data:image/s3,"s3://crabby-images/ceeec/ceeec69e62749eee1a255cac48a1ac044eea4f91" alt="在这里插入图片描述" 2.然后将head的下一个节点指向head 也就是head->next->next=head; 我们还要把head指向null,避免双向链表;
data:image/s3,"s3://crabby-images/50958/50958d864a3b3d58ceb1ac9684f4f61be9470d0c" alt="在这里插入图片描述" 3.然后一直向前归。按照第2步,我们只要把蓝色边框包裹的看成一个节点就方便理解了。 data:image/s3,"s3://crabby-images/3f4de/3f4de3478f0dc0ef5deda75685b456060f572fd3" alt="在这里插入图片描述"
# 总结与思考 Q1:迭代实现中prev=curr和curr=temp;能不能交换位置? A1:不可以,如交换位置,curr原来的值没有保存,prev得到的是temp,无意义。 Q2:递归实现中head->next能不能去掉? A2:不可以,会导致双向链表。
|