题目:
给你两个 非空 的链表,表示两个非负的整数。它们每位数字都是按照 逆序 的方式存储的,并且每个节点只能存储 一位 数字。
请你将两个数相加,并以相同形式返回一个表示和的链表。
你可以假设除了数字 0 之外,这两个数都不会以 0 开头。
这道题思想就很直接。不过复习到了C的结构体指针和链表的知识。
我做这道题的第一个思路是先将链表表示的数转化为整型的数,然后相加之后得到结果,然后再将结果存入到链表之中。第一版的代码如下:
#include <math.h>
struct ListNode* addTwoNumbers(struct ListNode* l1, struct ListNode* l2){
long long num1 = 0;
long long num2 = 0;
int count = 0;
while(l1!=NULL){
num1 += l1->val*pow(10,count);
count++;
l1 = l1->next;
}
count = 0;
while(l2!=NULL){
num2 += l2->val*pow(10,count);
count++;
l2 = l2->next;
}
long long result = num1+num2;
struct ListNode *head = NULL;
struct ListNode *tail = NULL;
head = tail =malloc(sizeof(struct ListNode));
tail->val = result%10;
tail->next = NULL;
result/=10;
while(result!=0){
int num = result%10;
tail->next = malloc(sizeof(struct ListNode));
tail = tail->next;
tail->val = num;
tail->next = NULL;
result/=10;
}
return head;
}
这么做并没有AC,原因是整型数据的表示上限,int类型的数据最多能够表示到21亿,但是链表理论上是可以无限长的,能够表示的数据大小也是远远大于int(即便是我之后换了long long也是一样)。因此上面这个方法就无法应对链表特别长时候的情况。
因为链表的长度未知,所以就只能够在链表的层面上对这道题进行求解。思路就是链表的对应位置相加,相加后的结果和上一次相加的进位符号再相加写入到返回链表之中,同时判断新的进位符号。如果其中有个链表为空,则就是相加的时候只要考虑另外一个链表就行了,如此循环直到两个链表都为空。
然后需要注意的就是在出了循环之后,还要保证进位标志是0,若不是,则链表还需要向后扩充一位。代码如下:
struct ListNode* addTwoNumbers(struct ListNode* l1, struct ListNode* l2){
struct ListNode* head = NULL;
struct ListNode* end = NULL;
int sum,carry=0,write;
while(l1!=NULL||l2!=NULL){
if(l1!=NULL&&l2!=NULL){
sum = l1->val + l2->val;
write = (sum+carry)%10;
carry = (sum+carry)/10;
if(head == NULL){
head = end = malloc(sizeof(struct ListNode));
end->val = write;
end->next = NULL;
}
else{
end->next = malloc(sizeof(struct ListNode));
end = end->next;
end->val = write;
end->next = NULL;
}
l1 = l1->next;
l2 = l2->next;
}
else if(l1!=NULL){
write = (l1->val+carry)%10;
carry = (l1->val+carry)/10;
end->next = malloc(sizeof(struct ListNode));
end = end->next;
end->val = write;
end->next = NULL;
l1 = l1->next;
}
else{
write = (l2->val+carry)%10;
carry = (l2->val+carry)/10;
end->next = malloc(sizeof(struct ListNode));
end = end->next;
end->val = write;
end->next = NULL;
l2 = l2->next;
}
}
if(carry!=0){
end->next = malloc(sizeof(struct ListNode));
end = end->next;
end->val = 1;
end->next = NULL;
}
return head;
}
代码中的条件判断略显繁琐。根据解答区dl们的思想,可以将短的那个链表补0来补齐,通过此来缩短代码量。
最后虽然是AC了,但是耗费的时间比较长,还需要继续加油。