Leetcode25. K 个一组翻转链表
程序员文章站
2022-03-18 09:41:24
...
Leetcode25. K 个一组翻转链表
题目:
相似题目:
Leetcode206. 反转链表
Leetcode92. 反转链表 II
给你一个链表,每 k 个节点一组进行翻转,请你返回翻转后的链表。
k 是一个正整数,它的值小于或等于链表的长度。
如果节点总数不是 k 的整数倍,那么请将最后剩余的节点保持原有顺序。
示例:
给你这个链表:1->2->3->4->5
当 k = 2 时,应当返回: 2->1->4->3->5
当 k = 3 时,应当返回: 3->2->1->4->5
题解:
java代码:
public static ListNode reverseKGroup(ListNode head, int m) {
ListNode dummy = new ListNode(-1);
dummy.next = head;
ListNode pre = dummy;
ListNode end = dummy;
while (end.next != null) {
for (int i = 0; i < m && end!=null; i++) end = end.next;
if(end==null) break;
ListNode start = pre.next;
ListNode next = end.next;
end.next = null;
pre.next = reverse(start);
start.next = next;
pre = start;
end = pre;
}
return dummy.next;
}
/**
* 翻转链表
*
* @param head
* @return
*/
public static ListNode reverse(ListNode head) {
ListNode pre = null;
ListNode cur = head;
while (cur != null) {
ListNode temp = cur.next;
cur.next = pre;
pre = cur;
cur = temp;
}
return pre;
}
上一篇: 硬件和物理层进步提高频谱共享和效率