码迷,mamicode.com
首页 > 其他好文 > 详细

力扣刷题日记 2020/03/18

时间:2020-03-18 11:39:08      阅读:91      评论:0      收藏:0      [点我收藏+]

标签:ret   leetcode   链接   一个   problem   span   循环   new   node   

力扣2  两数相加

今天刷乐扣的时候发现好多人对这道题目的解法不是很理解 于是写下我自己的理解过程 共同学习!

题干

给出两个 非空 的链表用来表示两个非负的整数。其中,它们各自的位数是按照 逆序 的方式存储的,并且它们的每个节点只能存储 一位 数字。

如果,我们将这两个数相加起来,则会返回一个新的链表来表示它们的和。

您可以假设除了数字 0 之外,这两个数都不会以 0 开头。

已提供一个实体类:

/**
 * Definition for singly-linked list.
*/
  public class ListNode {
      int val;
      ListNode next;
      ListNode(int x) { val = x; }
  }

示例:

输入:(2 -> 4 -> 3) + (5 -> 6 -> 4)
输出:7 -> 0 -> 8
原因:342 + 465 = 807
题目链接:https://leetcode-cn.com/problems/add-two-numbers

 

解题思路

参考链接:https://leetcode-cn.com/problems/add-two-numbers/solution/hua-jie-suan-fa-2-liang-shu-xiang-jia-by-guanpengc/

class Solution {
    public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
        ListNode pre = new ListNode(0);     //#1
        ListNode cur = pre;                //#2
        int carry = 0;
        while(l1 != null || l2 != null) {
            int x = l1 == null ? 0 : l1.val;
            int y = l2 == null ? 0 : l2.val;
            int sum = x + y + carry;

            carry = sum / 10;
            sum = sum % 10;
            cur.next = new ListNode(sum);   //#3

            cur = cur.next;      // #4
            if(l1 != null)
                l1 = l1.next;
            if(l2 != null)
                l2 = l2.next;
        }
        if(carry == 1) {
            cur.next = new ListNode(carry);
        }
        return pre.next;
    }
}


    这个解法的精彩之处在于用到了预留头指针的技巧,将链表的头指针保存在pre中,cur作为移动指针来对链表进行遍历

以题目给出的例子进行详细分析:

      第一个数字链表(2—>4—>3) 可以理解为

ListNode l1 = new ListNode(2);
l1.next = new ListNode(4);
l1.next.next = new ListNode(3);

       第二个链表可以表示为

ListNode l1 = new ListNode(5);
l1.next = new ListNode(6);
l1.next.next = new ListNode(4);

 

       解法代码中的 #1行 和 #2行 将pre 和cur指向同一内存地址(假定为 0x001)

      接着,在while循环中 cur对链表进行遍历 执行到 #3行 cur.next = new LisNode(sum); 这一句时 cur.next指向新的地址(假定为 0x002) 由于pre 和此时的cur引用的内存地址相同 所以 pre.next此时也会指向 0x002。

       此时  执行#4行代码 相当于移动cur的指针 将cur.next的引用地址传递给cur 此时cur的内存地址为0x002 cur.next变为Null, 而pre的指针保持不变 仍然是 0x001 pre.next指向0x002

        以此类推 直至cur遍历完全部的链表数据, 最后只需要将pre.next返回 就可以根据next指针检索到后边的全部计算结果了。

力扣刷题日记 2020/03/18

标签:ret   leetcode   链接   一个   problem   span   循环   new   node   

原文地址:https://www.cnblogs.com/seizedays/p/12516070.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!