【LeetCode】148. Sort List


Sort List

Sort a linked list in O(n log n) time using constant space complexity.

 

要求時間復雜度為O(nlogn),那么不能用quickSort了(最壞O(n^2)),所以使用mergeSort.

通常寫排序算法都是基於數組的,這題要求基於鏈表。所以需要自己設計函數獲得middle元素,從而進行切分。

參考Linked List Cycle II中的快慢指針思想,從而可以獲得middle元素。

 

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode* sortList(ListNode* head) {
        if(head == NULL || head->next == NULL)
            return head;
            
        ListNode* head1 = head;
        ListNode* head2 = getMid(head);
        head1 = sortList(head1);
        head2 = sortList(head2);
        return merge(head1, head2);
    }
    ListNode* merge(ListNode* head1, ListNode* head2)
    {
        ListNode* newhead = new ListNode(-1);
        ListNode* newtail = newhead;
        while(head1 != NULL && head2 != NULL)
        {
            if(head1->val <= head2->val)
            {
                newtail->next = head1;
                head1 = head1->next;
            }
            else
            {
                newtail->next = head2;
                head2 = head2->next;
            }
            newtail = newtail->next;
            newtail->next = NULL;
        }
        if(head1 != NULL)
            newtail->next = head1;
        if(head2 != NULL)
            newtail->next = head2;
        return newhead->next;
    }
    ListNode* getMid(ListNode* head)
    {
        //guaranteed that at least two nodes
        ListNode* fast = head->next;
        ListNode* slow = head->next;
        ListNode* prev = head;
        while(true)
        {
            if(fast != NULL)
                fast = fast->next;
            else
                break;
            if(fast != NULL)
                fast = fast->next;
            else
                break;
            prev = slow;
            slow = slow->next;
        }
        prev->next = NULL;  // cut
        return slow;
    }
};


免責聲明!

本站轉載的文章為個人學習借鑒使用,本站對版權不負任何法律責任。如果侵犯了您的隱私權益,請聯系本站郵箱yoyou2525@163.com刪除。



 
粵ICP備18138465號   © 2018-2025 CODEPRJ.COM