21. Merge Two Sorted Lists
Problem
You are given the heads of two sorted linked lists list1
and list2
.
Merge the two lists into one sorted list. The list should be made by splicing together the nodes of the first two lists.
Return the head of the merged linked list.
https://leetcode.com/problems/merge-two-sorted-lists/
Example 1:
Input: list1 = [1,2,4], list2 = [1,3,4]
Output: [1,1,2,3,4,4]
Example 2:
Input: list1 = [], list2 = []
Output: []
Example 3:
Input: list1 = [], list2 = [0]
Output: [0]
Constraints:
- The number of nodes in both lists is in the range
[0, 50]
.
-100 <= Node.val <= 100
- Both
list1
and list2
are sorted in non-decreasing order.
Test Cases
1 2 3 4 5 6 7
|
class Solution: def mergeTwoLists(self, list1: Optional[ListNode], list2: Optional[ListNode]) -> Optional[ListNode]:
|
solution_test.py1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32
| import pytest
from node import ListNode from solution import Solution
@pytest.mark.parametrize('list1, list2, expected', [ ([1,2,4], [1,3,4], [1,1,2,3,4,4]), ([], [], []), ([], [0], [0]), ]) class Test: def test_solution(self, list1, list2, expected): sol = Solution() head = sol.mergeTwoLists(self._build_list(list1), self._build_list(list2)) assert self._format(head) == expected
def _build_list(self, values: list[int]) -> ListNode | None: root = ListNode() node = root for v in values: node.next = node = ListNode(v)
return root.next
def _format(self, head: ListNode | None) -> list[int]: values = [] while head is not None: values.append(head.val) head = head.next
return values
|
Thoughts
给链表前边加一个虚拟节点,指向链表的第一个节点,在处理边界的时候会方便很多。
Code
solution.py1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24
| from typing import Optional
from node import ListNode
class Solution: def mergeTwoLists(self, list1: Optional[ListNode], list2: Optional[ListNode]) -> Optional[ListNode]: root = ListNode() node = root while list1 is not None and list2 is not None: if list1.val <= list2.val: node.next, list1 = list1, list1.next else: node.next, list2 = list2, list2.next node = node.next
node.next = list1 or list2 return root.next
|