1.题目描述
将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
示例 1:
输入:l1 = [1,2,4], l2 = [1,3,4] 输出:[1,1,2,3,4,4]
示例 2:
输入:l1 = [], l2 = [] 输出:[]
示例 3:
输入:l1 = [], l2 = [0] 输出:[0]
方法一(循环):
class Solution {
public:
ListNode* reverseList(ListNode* head) {
struct ListNode*n1,*n2,*n3;
if(head==NULL)
{
return NULL;
}
n1=NULL;
n2=head;
n3=head->next;
while(NULL!=n2)
{
n2->next=n1;
n1=n2;
n2=n3;
if(n3)
{
n3=n3->next;
}
}
return n1;
}
};
方法二(递归):
class Solution {
public:
ListNode* reverseList(ListNode* head)
{
if(head==nullptr||head->next==nullptr) return head;
ListNode*newhead=reverseList(head->next);
head->next->next=head;
head->next=nullptr;
return newhead;
}
};