Leetcode:Add Two Numbers 链表加法

戳我进传送门

You are given two linked lists representing two non-negative numbers. The digits are stored in reverse order and each of their nodes contain a single digit. Addthe two numbers and return it as a linked list.

 

Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 0 -> 8

 

这个题目,实现起来有些细节问题需要注意:

1. 操作单链表的时候,需要的时候可以加入一个头结点,这样操作单链表的所有节点的动作都是一样的,不然就得分情况了

2..刚开始我分了好几种情况,什么第一个比第二个长怎么办? 第二个比一个长又怎么办? 然后不由的好几个 if,看着好不爽

后来一想,链表遍历到末尾了,就形同于他以后还有好多个空节点,并且值为0,这样代码就可以统一起来了

3.其实我下面贴出的代码不是很好,我是新开一个链表,每个相加的和我都开一个新节点进行尾插入,其实可以直接在原有的链表之上进行操作,

只是这个时候又不得不分情况讨论你就地操作的链表是长还是短? 如果短的话,中途就要嫁接连接

但是这样省了每次的new操作开销和内存开销

class Solution {
public:
    ListNode *addTwoNumbers(ListNode *l1, ListNode *l2) {
        assert(l1 != NULL && l2 != NULL);
        ListNode* pHead = new ListNode(0);
        ListNode* cur = pHead;
        int carry = 0;
        while (l1 != NULL || l2 != NULL) {
            int num1 = (l1 != NULL ? l1->val : 0);
            int num2 = (l2 != NULL ? l2->val : 0);
            int value = (num1 + num2 + carry) % 10;
            carry = (num1 + num2 + carry) / 10;
            ListNode* node = new ListNode(value);
            cur->next = node;
            cur = cur->next;
            l1 = (l1 != NULL ? l1->next : NULL);
            l2 = (l2 != NULL ? l2->next : NULL);
        }
        if (carry != 0) {
            ListNode* node = new ListNode(carry);
            cur->next = node;
            cur = cur->next;
        }
        return pHead->next;
    }
};

 

你可能感兴趣的:(LeetCode)