将两个有序链表合并为一个新的有序链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
输入:1->2->4, 1->3->4
输出:1->1->2->3->4->4
这是一道很简单的题目,但是简单题目深入学习,好好的把它给弄懂;
递归法实现
先排除两种极端情况
如果L1为空了话就返回L2
如果L2为空了话就返回L1
如果两个都不为空
L1->data < L2->data;
L1->next = merge(L1->next,L2);
我觉得直接写递归式应该比空巴巴讲更好懂吧;
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2){
if(!l1)
return l2;
else if(!l2)
return l1;
else{
if(l1->val <= l2->val)
l1->next = mergeTwoLists(l1->next,l2);
else
l2->next = mergeTwoLists(l2->next,l1);
if(l1->val <= l2->val)
return l1;
else
return l2;
}
}
非递归实现
嗯,,,这个非递归实现有个名字叫归并法,虽然名字听起来高大上的,但其实就是简单的模拟这个过程,不用多说 直接上代码
struct ListNode* mergeTwoLists(struct ListNode* l1, struct ListNode* l2){
if(!l1)
return l2;
else if(!l2)
return l1;
else
{
struct ListNode *newhead,*p;
if(l1->val <= l2->val)
{
newhead =l1;
l1 = l1->next;
}
else
{
newhead =l2;
l2 = l2->next;
}
p = newhead;
while(l1&&l2)
{
if(l1->val <= l2->val)
{
p->next = l1;
l1 = l1->next;
p = p->next;
}
else
{
p->next = l2;
l2 = l2->next;
p = p->next;
}
}
p->next = l1?l1:l2;
p = newhead;
return p;
}
}