反转链表
和24题类似。
1.用虚拟头节点接在头节点前面
2.我们先看看后面是否够k个节点
3.如果够的话,我们将k个链表逆序。
4.k个链表逆序后,还需要改变几个节点的指向。
代码:
/**
* 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* reverseKGroup(ListNode* head, int k) {
auto dummy = new ListNode(-1);
dummy->next = head;
for (auto p = dummy; ; ){
//先看后面的节点是否够k个
auto t = p;
for (int i = 0 ; i < k && t ; i++) t = t->next;
if (!t) break;
//够k个节点
auto a = p->next;
auto b = a->next;
for (int i = 0 ; i < k - 1 ; i++){
auto t = b->next;
b->next = a;
a = b;
b = t;
}
//其余的节点
auto c = p->next;
p->next = a;
c->next = b;
p = c;
}
return dummy->next;
}
};