data:image/s3,"s3://crabby-images/809e4/809e4d62ba4dc970647d4c063eec857805c51e8e" alt=""
题解
第一种解法:递归
class Solution(object):
def mergeTwoLists(self, list1, list2):
"""
:type list1: Optional[ListNode]
:type list2: Optional[ListNode]
:rtype: Optional[ListNode]
"""
if list1 is None:
return list2
elif list2 is None:
return list1
elif list1.val<list2.val:
list1.next = self.mergeTwoLists(list1.next,list2)
return list1
else:
list2.next = self.mergeTwoLists(list1,list2.next)
return list2
时间和内存:
时间复杂度:O(n+m) 空间复杂度:O(n+m) data:image/s3,"s3://crabby-images/ba983/ba983558f2354579dc6d8883700028ac538b4146" alt="在这里插入图片描述"
第二种解法:迭代
class Solution(object):
def mergeTwoLists(self, list1, list2):
"""
:type list1: Optional[ListNode]
:type list2: Optional[ListNode]
:rtype: Optional[ListNode]
"""
prehead = ListNode(-1)
prev = prehead
while list1 and list2:
if list1.val<=list2.val:
prev.next = list1
list1 =list1.next
else:
prev.next = list2
list2 =list2.next
prev=prev.next
prev.next = list1 if list1 is not None else list2
return prehead.next
图解:
data:image/s3,"s3://crabby-images/ccf3c/ccf3c9e3768fbeac883b3cc1a42f4c3787512cfa" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/a37ea/a37ea9153c7fe65b63e158f5b26cbda9ad966b0f" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/e0b71/e0b71936b8471022a3bb8060a56471bb12fe2f55" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/e0396/e039680897747e09f0e4eafbf2584765ac7730a8" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/a3549/a3549e5779295044ca389d9def9d113e2da9eaa2" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/8db81/8db815ed86532ed2678008c4c00228974ec87fc1" alt="在这里插入图片描述"
时间和内存:
时间复杂度:O(n+m) 空间复杂度:O(1) data:image/s3,"s3://crabby-images/bb0c1/bb0c1f773ff09faf58f83d6c46f25d8fd1d999d5" alt="在这里插入图片描述"
|