leetcode 2(兩數相加)

一道鏈表題,可是我發現我鏈表不太會搞,主要仍是對java中的引用機制沒有徹底理解,過幾天補一下
這道題目以下java

給出兩個 非空 的鏈表用來表示兩個非負的整數。其中,它們各自的位數是按照 逆序 的方式存儲的,而且它們的每一個節點只能存儲 一位 數字。

若是,咱們將這兩個數相加起來,則會返回一個新的鏈表來表示它們的和。

您能夠假設除了數字 0 以外,這兩個數都不會以 0 開頭。

示例:

輸入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
輸出:7 -> 0 -> 8
緣由:342 + 465 = 807

題目不難,主要是一些邊界值須要處理,代碼以下web

執行用時 : 8 ms, 在Add Two Numbers的Java提交中擊敗了98.92% 的用戶
內存消耗 : 44.5 MB, 在Add Two Numbers的Java提交中擊敗了85.81% 的用戶

public class ListNode {
    int val;
    ListNode next;
    ListNode(int x) { val = x; }
}

class Solution {
    public ListNode addTwoNumbers(ListNode l1, ListNode l2)  {
        ListNode tempNode = new ListNode(0);
        ListNode resNode = tempNode;
        int appendValue = 0;
        int nextAppendValue = 0;
        if (l1.next == null && l2.next == null){
            if (l1.val + l2.val < 10) tempNode.next = new ListNode(l1.val + l2.val);
            else{
                tempNode.next = new ListNode((l1.val + l2.val)%10);
                tempNode.next.next = new ListNode((l1.val + l2.val)/10);
            }
        }
        while (l1 != null && l2 != null) {
            appendValue = l1.val + l2.val + nextAppendValue;
            nextAppendValue = appendValue / 10;
            appendValue = appendValue % 10;
            l1 = l1.next;
            l2 = l2.next;
            if (appendValue == 0 && nextAppendValue == 0 && l1 == null && l2 == null) break;
            if (l1 == null) l1 = new ListNode(0);
            if (l2 == null) l2 = new ListNode(0);
            tempNode.next = new ListNode(appendValue);
            tempNode = tempNode.next;
        }
        return resNode.next;
    }
}
相關文章
相關標籤/搜索