采用递归的方法,依次遍历比较两个链表的数值的大小,并存入按递增的顺序存入新的链表,代码如下:
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};*/
class Solution {
public:
ListNode* Merge(ListNode* pHead1, ListNode* pHead2)
{
if(pHead1==NULL)
{
return pHead2;
}
if(pHead2==NULL)
{
return pHead1;
}
ListNode* NewList=new ListNode(0);
if(pHead1->val<=pHead2->val)
{
NewList=pHead1;
NewList->next=Merge(pHead1->next,pHead2);
}
else
{
NewList=pHead2;
NewList->next=Merge(pHead1,pHead2->next);
}
return NewList;
}
};