Leetcode206
1.问题描述
data:image/s3,"s3://crabby-images/823e7/823e71dcd510d1a9cd4e1bf296f61b6c057f1b42" alt="在这里插入图片描述"
2.解决方案
解法一:双指针法
data:image/s3,"s3://crabby-images/e3f3d/e3f3dfcf3d5114f0918c2749304e399925a6b001" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/eee23/eee23cfb5bbfdfef01212df693e4105cc7cabc90" alt="在这里插入图片描述"
记住代码的三步走,就可以了 1.保存cur的下一个节点 2.反转操作 3.更新操作
class Solution {
public:
ListNode* reverseList(ListNode* head) {
ListNode* pre= nullptr;
ListNode* cur=head;
while(cur!= nullptr){
ListNode* temp=cur->next;
cur->next=pre;
pre=cur;
cur=temp;
}
return pre;
}
};
解法二:递归法
可以看到,其实和解法一思路一摸一样的,也是记住代码的三步走 1.保存cur的下一个节点 2.反转操作 3.更新操作(递归调用)
class Solution {
public:
ListNode* reverse(ListNode* pre,ListNode* cur){
if(cur==nullptr) return pre;
ListNode* temp=cur->next;
cur->next=pre;
return reverse(cur,temp);
}
ListNode* reverseList(ListNode* head) {
ListNode* pre= nullptr;
ListNode* cur=head;
return reverse(pre,cur);
}
};
|