LeetCode 328.奇偶链表
题目:
给定单链表的头节点 head
,将所有索引为奇数的节点和索引为偶数的节点分别组合在一起,然后返回重新排序的列表。
第一个节点的索引被认为是 奇数 , 第二个节点的索引为 偶数 ,以此类推。
请注意,偶数组和奇数组内部的相对顺序应该与输入时保持一致。
你必须在 O(1)
的额外空间复杂度和 O(n)
的时间复杂度下解决这个问题。
思路:
代码:
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode oddEvenList(ListNode head) {
if (head == null)
return null;
// odd 奇数链表 even 偶数链表
ListNode oddList = head, evenList = head.next;
ListNode evenHead = evenList;
while (evenList != null && evenList.next != null) {
oddList.next = evenList.next;
oddList = oddList.next;
evenList.next = oddList.next;
evenList = evenList.next;
}
oddList.next = evenHead;
return head;
}
}
性能:
时间复杂度o(n)
空间复杂度o(1)