leetcode 21 合併兩個有序鍊錶

2021-09-24 13:47:37 字數 2048 閱讀 1872

將兩個有序鍊錶合併為乙個新的有序鍊錶並返回。新煉表是通過拼接給定的兩個鍊錶的所有節點組成的。

示例:輸入:1->2->4, 1->3->4

輸出:1->1->2->3->4->4

# definition for singly-linked list.

# class listnode(object):

# def __init__(self, x):

# self.val = x

# self.next = none

class solution(object):

def mergetwolists(self, l1, l2):

""":type l1: listnode

:type l2: listnode

:rtype: listnode

"""if not l1:

return l2

if not l2:

return l1

l_new = listnode(none)

if l1.val < l2.val:

l_new.val = l1.val

l_new.next = self.mergetwolists(l1.next, l2)

else:

l_new.val = l2.val

l_new.next = self.mergetwolists(l1, l2.next)

return l_new

合併 k 個排序鍊錶,返回合併後的排序鍊錶。請分析和描述演算法的複雜度。

示例:輸入:

[1->4->5,

1->3->4,

2->6

]輸出: 1->1->2->3->4->4->5->6

# definition for singly-linked list.

# class listnode(object):

# def __init__(self, x):

# self.val = x

# self.next = none

class solution(object):

def mergeklists(self, lists):

""":type lists: list[listnode]

:rtype: listnode

"""length = len(lists)

if length == 0:

return none

if length == 1:

return lists[0]

if length == 2:

return self.merge2lists(lists[0], lists[1])

mid = length // 2

left = self.mergeklists(lists[:mid])

right = self.mergeklists(lists[mid:])

return self.merge2lists(left, right)

# 先合併兩個排序鍊錶, 再用分治法進行全部合併

def merge2lists(self, list_1, list_2):

if not list_1:

return list_2

if not list_2:

return list_1

list_new = listnode(none)

if list_1.val < list_2.val:

list_new.val = list_1.val

list_new.next = self.merge2lists(list_1.next, list_2)

else:

list_new.val = list_2.val

list_new.next = self.merge2lists(list_1, list_2.next)

return list_new

LeetCode 21合併兩個有序列表

將兩個公升序鍊錶合併為乙個新的公升序鍊錶並返回。新煉表是通過拼接給定的兩個鍊錶的所有節點組成的。輸入 1 2 4,1 3 4 輸出 1 1 2 3 4 4初始解法 這個問題轉換為經典的merge排序中的merge過程.merge排序中merge操作即是將兩個有序子陣列合併成乙個陣列,需要考慮比較過程...

leetcode21 合併兩個有序鍊錶

將兩個有序鍊錶合併為乙個新的有序鍊錶並返回。新煉表是通過拼接給定的兩個鍊錶的所有節點組成的。示例 輸入 1 2 4,1 3 4 輸出 1 1 2 3 4 4 思路 每次判斷兩個鍊錶的頭部小的數值,訪問小的,並讓該鍊錶往後移動。注意 注意鍊錶走完,為空的情況即可。遇到的問題 一開始不太理解鍊錶,返回e...

LEETCODE 21 合併兩個有序鍊錶

將兩個有序鍊錶合併為乙個新的有序鍊錶並返回。新煉表是通過拼接給定的兩個鍊錶的所有節點組成的。示例 輸入 1 2 4,1 3 4 輸出 1 1 2 3 4 4c 第一遍將 相等 的這個else分支寫錯了,主要錯誤在於,next指標指向下乙個的這條語句寫到了後面,導致節點自己指向自己,造成了超時錯誤 執...