反转链表I
给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
思路:
要求原地翻转,不允许增加新的空间
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* reverseList(ListNode* head) {
ListNode *temp;
ListNode *cur = head;
ListNode *pre = nullptr;
while(cur)
{
temp = cur->next;
cur->next = pre;
pre = cur;
cur = temp;
}
return pre;
}
};
反转链表II
给你单链表的头指针 head 和两个整数 left 和 right ,其中 left <= right 。请你反转从位置 left 到位置 right 的链表节点,返回 反转后的链表 。
思路:
- 建立一个虚拟头结点dummy,指向head节点
- 建立hh指针,一直往右移动至left的前一位置,while(l-- > 1) hh = hh -> next;
- 使用a,b指针,将目标节点的next指针翻转
- 让hh.next(也就是left节点)的next指针指向b
- 让hh的next指针指向a
- 返回dummy.next
class Solution {
public:
ListNode* reverseBetween(ListNode* head, int l, int r) {
ListNode* dummyHead = new ListNode(0);
dummyHead->next = head;
// 注意这里是 L 不是 1
r -= l;
// hh 就是 “哈哈” 的意思 ...
// 啊呸。hh 是 head 的意思,为了防止与 height 的简写 h 冲突
ListNode* hh = dummyHead;
while (l-- > 1)
hh = hh->next;
ListNode* prv = hh->next;
ListNode* cur = prv->next;
while (r-- > 0) {
ListNode* nxt = cur->next;
cur->next = prv;
prv = cur;
cur = nxt;
}
hh->next->next = cur;
hh->next = prv;
return dummyHead->next;
}
};
复杂度分析
时间复杂度:O(n)
空间复杂度:O(1)