摘要:难度题目给定两个非空且元素非负的链表。链表中的数字以逆序排列且每个结点只含一个一位数。使两个数相加并反回其结果。思路设置头结点简化操作。从前向后遍历相加。
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.
难度:medium
题目:
给定两个非空且元素非负的链表。链表中的数字以逆序排列且每个结点只含一个一位数。使两个数相加并反回其结果。
你可以认为两个数字都不以0开头。自然数0除外。
思路:
1.设置头结点简化操作。
2.从前向后遍历相加。
Runtime: 21 ms, faster than 93.90% of Java online submissions for Add Two Numbers.
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode(int x) { val = x; } * } */ class Solution { public ListNode addTwoNumbers(ListNode l1, ListNode l2) { int carry = 0; ListNode head = new ListNode(0), tail = head; while(l1 != null || l2 != null || carry != 0) { int val = carry; if (null != l1) { val += l1.val; l1 = l1.next; } if (null != l2) { val += l2.val; l2 = l2.next; } carry = val / 10; ListNode node = new ListNode(val % 10); tail.next = node; tail = node; } return head.next; } }
文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。
转载请注明本文地址:https://www.ucloud.cn/yun/73229.html
摘要:这题是说给出两个链表每个链表代表一个多位整数个位在前比如代表着求这两个链表代表的整数之和同样以倒序的链表表示难度这个题目就是模拟人手算加法的过程需要记录进位每次把对应位置两个节点如果一个走到头了就只算其中一个的值加上进位值 Add Two Numbers You are given two linked lists representing two non-negative num...
摘要:题目要求对以链表形式的两个整数进行累加计算。思路一链表转置链表形式跟非链表形式的最大区别在于我们无法根据下标来访问对应下标的元素。因此这里通过先将链表转置,再从左往右对每一位求和来进行累加。通过栈可以实现先进后出,即读取顺序的转置。 题目要求 You are given two non-empty linked lists representing two non-negative i...
摘要:问题过程先算出每个链表代表的数字,进行相加然后再把得数转换为链表形式 问题 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 si...
摘要:描述中文解释给定两个非空的链表里面分别包含不等数量的正整数,每一个节点都包含一个正整数,肯能是,但是不会是这种情况。我们需要按照倒序计算他们的和然后再次倒序输出。 描述 You are given two non-empty linked lists representing two non-negative integers. The digits are stored in rev...
摘要:我们的目的是求出两个数字的加和,并以同样的形式返回。假设每个都不会存在在首位的,除非数字本身就是想法这道题主要要求还是熟悉的操作。这道题由于数字反序,所以实际上从首位开始相加正好符合我们笔算的时候的顺序。 题目详情 You are given two non-empty linked lists representing two non-negative integers. The d...
阅读 3656·2023-04-25 20:00
阅读 3055·2021-09-22 15:09
阅读 444·2021-08-25 09:40
阅读 3375·2021-07-26 23:38
阅读 2174·2019-08-30 15:53
阅读 1031·2019-08-30 13:46
阅读 2756·2019-08-29 16:44
阅读 1973·2019-08-29 15:32