25.合并两个排序的链表
作者:互联网
题目描述
输入两个单调递增的链表,输出两个链表合成后的链表,当然我们需要合成后的链表满足单调不减规则。
思路:...练的多了真的会有手感....这个居然一遍对了。用递归的思想,把合并两个单增链表的问题可以转换为,每次寻找两个链表中较小的那个头节点,找到之后这个头节点的下一个节点是剩余链表中较小的那个头节点。需要特别考虑的是两个链表都为空和只有一个链表为空的情况。
python题解:
# -*- coding:utf-8 -*-
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution:
# 返回合并后列表
def Merge(self, pHead1, pHead2):
# write code here
return self.findSmall(pHead1,pHead2)
def findSmall(self,pHead1,pHead2):
if not pHead1 and pHead2:
return pHead2
if not pHead2 and pHead1:
return pHead1
if not (pHead1 or pHead2): #两者都是空
return None
#比较两个头节点,找出小的那个赋给pNode
if pHead1.val<=pHead2.val:
pNode=pHead1
pNew=pHead1.next
pNode.next=None #这句可以注释掉
pNode.next=self.findSmall(pNew,pHead2)
else:
pNode=pHead2
pNew=pHead2.next
pNode.next=None #这句可以注释掉
pNode.next=self.findSmall(pHead1,pNew)
return pNode
标签:25,return,self,链表,pHead1,pHead2,排序,节点 来源: https://blog.csdn.net/luolan9611/article/details/104825851