25. K 个一组翻转链表https://leetcode-cn.com/problems/reverse-nodes-in-k-group/
给你一个链表,每 k 个节点一组进行翻转,请你返回翻转后的链表。
k 是一个正整数,它的值小于或等于链表的长度。
如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。
输入:head = [1,2,3,4,5], k = 2 输出:[2,1,4,3,5]
想法:
- 还是用到“虚头节点”,然后算出链表的长度;
- 定义三个节点指针,分别是pre-用来当作每一次分段反转链表的头节点,cur-当前指向的节点,以及next-保留cur的下一个节点地址;
- 反转方法用头节点插入的方法;
class Solution {
public ListNode reverseKGroup(ListNode head, int k) {
ListNode ans = new ListNode(0);
ans.next = head;
ListNode cur = head,pre = ans,next;
int length=0;
while(head!=null){
length++;
head = head.next;
}
head = ans.next;
for(int i=0;i<length/k;i++){
for(int j=0;j<k-1;j++){
next = cur.next;
cur.next = next.next;
next.next = pre.next;
pre.next = next;
}
pre = cur;
cur = pre.next;
}
return ans.next;
}
}
143. 重排链表https://leetcode-cn.com/problems/reorder-list/
给定一个单链表 L 的头节点 head ,单链表 L 表示为:
L0 → L1 → … → Ln - 1 → Ln
请将其重新排列后变为:L0 → Ln → L1 → Ln - 1 → L2 → Ln - 2 → …
不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
class Solution {
public void reorderList(ListNode head) {
//使用一个节点栈,存节点
Stack<ListNode> sta = new Stack<>();
//使用快慢指针,找到链表中间的节点
ListNode fast = head,slow=head;
while(fast!=null && fast.next!=null){
slow=slow.next;
fast=fast.next.next;
if(slow == fast)
break;
}
//中间节点是slow的下一个节点
ListNode p =slow.next;
slow.next = null;
//节点入栈
while(p!=null){
sta.push(p);
p = p.next;
}
ListNode ret = head;
while(!sta.isEmpty() && ret!=slow){
p = sta.pop();
p.next = ret.next;
ret.next=p;
ret = p.next;
}
}
}