AC截图
data:image/s3,"s3://crabby-images/1e0ae/1e0ae365d30cb2c50f84988ed173be5e0f6154bb" alt=""
题目
data:image/s3,"s3://crabby-images/6c98a/6c98ae6bba71440a51d7ff938e8af323e43f371c" alt=""
data:image/s3,"s3://crabby-images/7d34e/7d34e9b832e7db9b212ed8a5d1de35f5bf8a5952" alt=""
思路
-
基本情况处理:
-
分割链表:
-
递归排序:
-
合并有序链表:
-
创建一个哑节点 h
,其 next
指针用于构建新的有序链表。
-
遍历两个已排序的子链表 left
和 right
,比较当前节点值并将较小的节点添加到结果链表中。
-
当其中一个子链表遍历完毕后,将另一个子链表剩下的节点直接连接到结果链表的末尾。
-
返回结果:
data:image/s3,"s3://crabby-images/8ee10/8ee103f435a3435e3c2c5f33f59095e7ae4b8171" alt=""
代码
/*** Definition for singly-linked list.* struct ListNode {* int val;* ListNode *next;* ListNode() : val(0), next(nullptr) {}* ListNode(int x) : val(x), next(nullptr) {}* ListNode(int x, ListNode *next) : val(x), next(next) {}* };*/
class Solution {
public:ListNode* sortList(ListNode* head) {if(head==NULL || head->next==NULL)return head;ListNode *fast=head->next,*slow=head;while(fast!=NULL && fast->next!=NULL){slow = slow->next;fast = fast->next->next;}ListNode *tmp=slow->next;slow->next=NULL;ListNode *left = sortList(head);ListNode *right = sortList(tmp);ListNode *h = new ListNode(0);ListNode *res=h;while(left!=NULL && right!=NULL){if(left->val<right->val){h->next = left;left = left->next;}else{h->next = right;right = right->next;}h = h->next;}h->next = left!=NULL?left:right;return res->next;}
};