每日一题:合并两个有序链表 (LeetCode 21)
题目
将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
示例:
输入:l1 = [1,2,4], l2 = [1,3,4]
输出:[1,1,2,3,4,4]
解答:
- 迭代法
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* mergeTwoLists(ListNode* list1, ListNode* list2) {
if(list1 == NULL) return list2;
if(list2 == NULL) return list1;
//创建虚拟结点
ListNode* dummy = new ListNode(-1);
//pre一开始指向虚拟结点
ListNode* pre = dummy;
while(list1 != NULL && list2 != NULL)
{
// 比较list1和list2的值,使pre->next指向其中值较小的结点
//(假设为list1),则pre->next = list1;
// 较小的结点,继续向后移动,如list1 = list1->next;
if(list1->val <= list2->val)
{
pre->next = list1;
list1 = list1->next;
}
else
{
pre->next = list2;
list2 = list2->next;
}
pre = pre->next;
}
// 合并后 list1 和 list2 最多只有一个还未被合并完,
// 我们直接将链表末尾指向未合并完的链表即可
pre->next = list1 != NULL ?list1 : list2;
return dummy->next;
}
};
- 递归法
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* mergeTwoLists(ListNode* list1, ListNode* list2) {
if(list1 == NULL) return list2;
if(list2 == NULL) return list1;
if(list1->val <= list2->val)
{
list1->next = mergeTwoLists(list1->next, list2);
return list1;
}
else
{
list2->next = mergeTwoLists(list1, list2->next);
return list2;
}
}
};
THE END
0
二维码
打赏
海报
每日一题:合并两个有序链表 (LeetCode 21)
题目
将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。
示例:
输入:l1 = [1,2,4], l2 = [1,3,……
共有 0 条评论