工作生活

2. Add Two Numbers

2019-07-01  本文已影响0人  斌小斌
  1. Add Two Numbers
    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.
    Example:
    Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
    Output: 7 -> 0 -> 8
    Explanation: 342 + 465 = 807.

一、直接处理法

public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
    ListNode result=new ListNode(0);  //链表的第一位不能存放数据,便于写循环
    ListNode p=l1,q=l2,head=result;
    int carry=0;
    while(p!=null || q!=null  || carry==1){  //1
        int x = (p != null) ? p.val : 0;  //2
        int y = (q != null) ? q.val : 0;
        int sum=carry+x+y;
        carry=0;    //3
        if(sum>=10){  //判断进位
            result.next=new ListNode (sum%10);
            carry=1;
        }
        else
            result.next=new ListNode (sum);
        //移动指针
        result=result.next;
        if (p != null) p = p.next;  //4
        if (q != null) q = q.next;
    }
    return head.next;
}

Thinking:
指针并非是一种数据类型,而是数据类型之间的关系。
例如本题中:

ListNode result=new ListNode(0);  
ListNode p=l1,q=l2,head=result;

p、q就充当了指针的角色,但是ListNode p是中的p很显然是一个节点。但是当p=l1是,他们之间发生了关联。并且此时通过这种关联,可以通过p访问l1。并且p.next也和l联系了起来。这时可以通过移动p去访问l1中的任何节点。这就是说p是一个指针。实际上是p于l1建立的链接关系才是指针,但是这种关系是通过p实现的。这就是我对指针的理解。

上一篇下一篇

猜你喜欢

热点阅读