原题链接:Reorder List
题解:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
void reorderList(ListNode* head) {
/*
思路:使用辅助栈将中间位置之后的节点保存起来,然后依次插入就能达到目标;
Time Complexity:O(n)
Space Complexity:O(n)
*/
if(!head || !head->next || !head->next->next) return;
ListNode* res=head;
ListNode* last=NULL;
stack<ListNode*>sta;
int count=0;
while(head){
count++;
head=head->next;
}
int k=count%2==1?(count+1)/2:count/2;
head=res;
for(int i=1;i<=count;i++){
if(i==k)last=head;
if(i>k)sta.push(head);
head=head->next;
}
last->next=NULL;
head=res;
while(!sta.empty()){
sta.top()->next=head->next;
head->next=sta.top();
sta.pop();
head=head->next->next;
}
}
};
链表重排序算法
本文介绍了一种使用栈实现的链表重排序算法,该算法能够有效地将链表的后半部分逆序插入到前半部分中,从而达到题目要求的重排序效果。算法的时间复杂度为O(n),空间复杂度同样为O(n)。
459

被折叠的 条评论
为什么被折叠?



