题目描述
将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的
题目链接:https://leetcode-cn.com/leetbook/read/linked-list/fnzd1/
递归法
递归法好优美啊,可惜我是个菜比自己写不出来。
递归的定义:fun(L1,L2) 合并两个有序链表,返回合并后链表的头结点
递归终止条件:L1、L2之间有一个为空或者全部为空
递归关系:将L1,L2中较小的那个结点指向函数返回的合并后的结点
代码是这个样子:
class Solution {
public:
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
if (l2 == nullptr) {
return l1;
} else if (l1 == nullptr) {
return l2;//两个中有一个为空肯定直接返回不空的那个
} else if (l1->val < l2->val) {//递归的地方
l1->next = mergeTwoLists(l1->next, l2);
return l1;
} else {
l2->next = mergeTwoLists(l1, l2->next);
return l2;
}
}
};
迭代法
就迭代两个链表,把结果合并就好了。
class Solution {
public:
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
ListNode* newhead=new ListNode(-1,l1);
ListNode* p=newhead;
//迭代两个链表,有序并入新链表newhead
while(l1!=nullptr&&l2!=nullptr){
if(l1->val < l2->val){
p->next=l1;
l1=l1->next;
p=p->next;
}
else{
p->next=l2;
l2=l2->next;
p=p->next;
}
}
//合并链表中剩余的部分
if(l1!=nullptr)
p->next=l1;
if(l2!=nullptr)
p->next=l2;
return newhead->next;
}
};
哇代码好烂,看看官方题解默默再写一遍…
class Solution {
public:
ListNode* mergeTwoLists(ListNode* l1, ListNode* l2) {
ListNode* newhead=new ListNode(-1,l1);
ListNode* p=newhead;
//迭代两个链表,有序并入新链表newhead
while(l1!=nullptr&&l2!=nullptr){
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=p->next;
}
//合并链表中剩余的部分
p->next=l1==nullptr?l2:l1;
//if(l1!=nullptr)
// p->next=l1;
//if(l2!=nullptr)
// p->next=l2;
return newhead->next;
}
};