148. 排序链表

题目:

给你链表的头结点 head ,请将其按 升序 排列并返回 排序后的链表 。

示例1:

解题思路:

这道题是一道综合题,考察了链表中间节点+合并有序链表。首先我们链表中间节点,然后从中间结点的前一个节点处断开,分为两段链表。

然后对这两段更短的链表分别调用sortList,得到两段有序的链表。

最后合并这两段有序链表并返回结果。

详细题解可参见https://leetcode.cn/problems/sort-list/solutions/2993518/liang-chong-fang-fa-fen-zhi-die-dai-mo-k-caei

java 复制代码
/**
 * 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 sortList(ListNode head) {
        if(head == null || head.next == null){
            return head;
        }
        ListNode head2 = middleNode(head);
        head = sortList(head);
        head2 = sortList(head2);

        return mergeTwoList(head, head2);
    }

    private ListNode middleNode(ListNode head){
        ListNode pre = head, slow = head, fast = head;
        while(fast != null && fast.next != null){
            pre = slow;
            slow = slow.next;
            fast = fast.next.next;
        }
        pre.next = null;
        return slow;
    }

    private ListNode mergeTwoList(ListNode head, ListNode head2){
        ListNode dummy = new ListNode();
        ListNode cur = dummy;
        while(head != null && head2 != null){
            if(head.val <= head2.val){
                cur.next = head;
                head = head.next;
            }else{
                cur.next = head2;
                head2 = head2.next;
            }
            cur = cur.next;
        }
        cur.next = head != null ? head : head2;
        return dummy.next;
    }
}
相关推荐
tobias.b几秒前
408真题解析-2010-1-数据结构-栈基础操作
数据结构·408真题解析
菜鸟233号13 分钟前
力扣213 打家劫舍II java实现
java·数据结构·算法·leetcode
方便面不加香菜21 分钟前
数据结构--栈和队列
c语言·数据结构
Pluchon1 小时前
硅基计划4.0 算法 动态规划进阶
java·数据结构·算法·动态规划
2401_841495643 小时前
【Python高级编程】单词统计与查找分析工具
数据结构·python·算法·gui·排序·单词统计·查找
-To be number.wan3 小时前
【数据结构真题解析】哈希表高级挑战:懒惰删除、探测链断裂与查找正确性陷阱
数据结构·算法·哈希算法
Qhumaing4 小时前
数据结构——例子求算法时间复杂度&&空间复杂度
数据结构·算法
鱼跃鹰飞4 小时前
Leetcode1027:最长等差数列
java·数据结构·算法
Stardep5 小时前
算法入门20——二分查找算法——搜索插入位置
数据结构·算法·leetcode
老鼠只爱大米5 小时前
LeetCode经典算法面试题 #141:环形链表(快慢指针、标记节点等多种方法详细解析)
算法·leetcode·链表·快慢指针·floyd算法·环形链表