链表1:9->3->7 链表2:6->3 新链表:1->0->0->0;
简单来说就是数相加,得到的数,输出为链表形式;
思路:1.首先翻转链表,翻转后:7->3->9,3->6;
2.遍历:获取到链表的第一个数,7+3=10;进行进位处理,cnt=(7+3)/10,cnt为需要进位多少位。之后创建新的链表节点,将记录下sum%10 节点,插入新链表。如果两个链表都不为空,head=heda->next;为空的取值为零.。
3.特殊情况,遍历完所有,如果cnt>0,需要为cnt创建节点,插入链表。
上代码:
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
/**
*
* @param head1 ListNode类
* @param head2 ListNode类
* @return ListNode类
*/
ListNode * recervelist(ListNode *head)//链表翻转的函数
{
ListNode * list=head;
ListNode * newlist=NULL;
while(list!=NULL)
{
ListNode *temp=list->next;//记录链表位置,防止链表断裂
list->next=newlist;
newlist=list;
list=temp;
}
return newlist;
}
ListNode* addInList(ListNode* head1, ListNode* head2)
{
// write code here
ListNode * l1=recervelist(head1);
ListNode * l2=recervelist(head2);
ListNode * res=NULL;
int x1=0,x2=0,cnt=0,sum=0;
while(l1||l2)
{
if(l1!=0)x1=l1->val;else x1=0;//取值
if(l2!=0)x2=l2->val;else x2=0;
sum=x1+x2+cnt;
cnt=sum/10;//查看当前位是否需要进位
//创建节点插入链表
ListNode *temp=new ListNode(sum%10);
temp->next=res;
res=temp;
if(l1!=NULL)l1=l1->next;
if(l2!=NULL)l2=l2->next;
}
if(cnt>0)//特殊情况
{
ListNode *temp=new ListNode(cnt);
temp->next=res;
res=temp;
}
return res;
}
};