[LeetCode]AddTwoNumbers

[LeetCode] Add Two Numbers
Descrition:
You are given two non-empty linked lists representing two non-negative integers. The digits are stored in reverse order and each of their nodes contain a single digit. Add the two numbers and return it as a linked list.

You may assume the two numbers do not contain any leading zero, except the number 0 itself.

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

這道題主要是理解題意,找出幾個關鍵點(個人做題經感覺)。
一,2個list可以是長度不一樣的。比如25+4.
二,如何處理大於十進一位。不同的處理方法決定了你的算法。
三,如果最後一位想加的時候超過十,怎麼處理。

以上三點都是我做題時考慮欠缺的地方,所以爲了彌補,導致代碼冗餘,雖然時間複雜度還可以,但是不簡潔。所以我也就不貼出來了。

下面是我比較欣賞的解法(手敲):

public ListNode addTwoNumbers(ListNode l1, ListNode l2)
{
    ListNode result = new ListNode(0);
    ListNode temp = result;
    int sum = 0;
    while(l1!=null || l2 != null)
    {
        sum/=10;
        if(l1 != null)
        {
            sum += l1.val;
            l1 = l1.next;
        }
        if(l2 != null)
        {
            sum += l2.val;
            l2 = l2.next;
        }
        temp.next = new ListNode(sum%10);
        temp = temp.next;
   }
   if(sum/10 != 0)
   {
       temp.next = new ListNode(1);
   }
   return result;
}
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章