class ListNode: def __init__(self, val=0, next=None): self.val = val self.next = next class Solution: def sortList(self, head: ListNode) -> ListNode: if not head or not head.next: return head slow, fast = head, head.next while fast and fast.next: slow = slow.next fast = fast.next.next mid, slow.next = slow.next, None left, right = self.sortList(head), self.sortList(mid) dummy = ListNode(0) cur = dummy while left and right: if left.val < right.val: cur.next, left = left, left.next else: cur.next, right = right, right.next cur = cur.next cur.next = left if left else right return dummy.next解释每一行代码
时间: 2023-11-28 11:03:38 浏览: 69
```
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class Solution:
def sortList(self, head: ListNode) -> ListNode:
if not head or not head.next:
return head
```
这里定义了一个链表节点类 ListNode,以及一个排序链表的类 Solution。sortList 函数接受一个链表头节点,返回排序后的链表头节点。
如果链表为空或只有一个节点,则直接返回该链表,因为只有一个节点时已经是有序的。
```
slow, fast = head, head.next
while fast and fast.next:
slow = slow.next
fast = fast.next.next
mid, slow.next = slow.next, None
```
这里使用快慢指针找到链表的中间节点,并将链表一分为二。slow 指针每次走一步,fast 指针每次走两步,当 fast 走到链表尾部时,slow 刚好走到链表中间。将链表分成左右两个部分,中间节点 mid 作为右半部分的起始节点,将 slow 的 next 指针设为 None,断开左右两部分的链接。
```
left, right = self.sortList(head), self.sortList(mid)
```
递归调用sortList函数,对左半部分和右半部分分别进行排序。
```
dummy = ListNode(0)
cur = dummy
while left and right:
if left.val < right.val:
cur.next, left = left, left.next
else:
cur.next, right = right, right.next
cur = cur.next
cur.next = left if left else right
return dummy.next
```
将左右两个有序链表合并成一个有序链表。使用一个新链表 dummy 和指针 cur,比较 left 和 right 的节点值,将较小的节点接到 cur 后面,然后将 cur 指针后移一个节点。最后,将 cur 的 next 指针指向剩余的节点。
最后返回排序后的链表头节点。
阅读全文