LKJZ24-反转链表
1.迭代
三指针翻转法,记录三个连续的节点,原地修改节点指向的方向
本质-双指针翻转,另外一个指针只是保存节点位置
class Solution {
public:
ListNode* reverseList(ListNode* head) {
if(head==nullptr){
return nullptr;
}
ListNode*n1=nullptr;
ListNode*n2=head;
ListNode*n3=head->next;
//循环控制条件为n2
while(n2!=nullptr){
n2->next=n1;
n1=n2;
n2=n3;
//对n3进行判断防止越界
if(n3!=nullptr){
n3=n3->next;
}
}
//最后返回n1
return n1;
}
};
2.头插
双指针遍历原链表-cur拿下来头插,next用来保存位置
把原链表的每一个节点拿下来头插到新链表
class Solution {
public:
ListNode* reverseList(ListNode* head) {
if(head==nullptr){
return nullptr;
}
ListNode*cur=head;
ListNode*next=cur->next;
ListNode*newhead=nullptr;
while(cur!=nullptr){
next=cur->next;//next用来保存当前位置
cur->next=newhead;//cur拿下来头插
newhead=cur;//头插完成后,迭代newhead
cur=next;//头插完成后,把next赋给cur
}
return newhead;
}
};