相关题目:
合并两个排序的链表https://www.acwing.com/problem/content/34/
解题思路:
双指针法,给每个链表设定一个指针,进行遍历。
相关代码:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* merge(ListNode* l1, ListNode* l2) {
ListNode *Head = new ListNode(-1);
ListNode *q=Head;
while(l1&&l2){
if(l1->val<l2->val){
q->next=l1;
l1=l1->next;
q=q->next;
}
else{
q->next=l2;
l2=l2->next;
q=q->next;
}
}
while(l1!=NULL){
q->next=l1;
q=q->next;
l1=l1->next;
}
while(l2!=NULL){
q->next=l2;
q=q->next;
l2=l2->next;
}
return Head->next;
}
};