题解 | #链表的奇偶重排#
链表的奇偶重排
https://www.nowcoder.com/practice/02bf49ea45cd486daa031614f9bd6fc3
双指针解法
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param head ListNode类
* @return ListNode类
*/
ListNode* oddEvenList(ListNode* head) {
//不需要重排的环境
if(head==nullptr||head->next==nullptr||head->next->next==nullptr){
return head;
}
//双指针分别指向奇、偶,并向后迭代
ListNode* jiHead = head;
ListNode* ji = head;
ListNode* ouHead = head->next;
ListNode* ou = ouHead;
while(ji->next->next&&ou->next->next){
ji->next = ji->next->next;
ou->next = ou->next->next;
ji = ji->next;
ou = ou->next;
}
//双链表链接处理
if(ou->next){
ji->next = ji->next->next;
ji = ji->next;
ji->next = ouHead;
ou->next = nullptr;
}else{
ji->next = ouHead;
}
return jiHead;
}
};