文章目录
- 1. 题目
- 2. 解题
1. 题目
给你两个链表 list1 和 list2 ,它们包含的元素分别为 n 个和 m 个。
请你将 list1 中第 a 个节点到第 b 个节点删除,并将list2 接在被删除节点的位置。
下图中蓝色边和节点展示了操作后的结果:
请你返回结果链表的头指针。
示例 1:
输入:
list1 = [0,1,2,3,4,5], a = 3, b = 4,
list2 = [1000000,1000001,1000002]
输出:[0,1,2,1000000,1000001,1000002,5]
解释:我们删除 list1 中第三和第四个节点,并将 list2 接在该位置。
上图中蓝色的边和节点为答案链表。
示例 2:
输入:
list1 = [0,1,2,3,4,5,6], a = 2, b = 5,
list2 = [1000000,1000001,1000002,1000003,1000004]
输出:[0,1,1000000,1000001,1000002,1000003,1000004,6]
解释:上图中蓝色的边和节点为答案链表。提示:3 <= list1.length <= 10^4
1 <= a <= b < list1.length - 1
1 <= list2.length <= 10^4
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/merge-in-between-linked-lists
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
2. 解题
/*** 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* mergeInBetween(ListNode* list1, int a, int b, ListNode* list2) {ListNode *cur = list1, *cur2 = list1->next;ListNode *tail2 = list2;b -= a;while(tail2->next)tail2 = tail2->next;//链表2的尾节点while(--a){cur = cur->next;}cur2 = cur->next;//要删除的部分的开始cur->next = list2;//接上链表2while(b--)//链表1剩余要删除的部分,遍历{cur2 = cur2->next;}tail2->next = cur2->next;//链表2的尾巴接上要删除的部分的尾巴的下一个return list1;}
};
524 ms 92.7 MB C++
我的CSDN博客地址 https://michael.blog.csdn.net/
长按或扫码关注我的公众号(Michael阿明),一起加油、一起学习进步!