LeetCode-2AddTwoNumbers(C#)
# 题目
2. Add Two Numbers
You are given two linked lists representing two non-negative numbers. 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.
Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
Output: 7 -> 0 -> 8
# 思路
不知道各位能不能看懂题目,简单解释一下,就是把整数每一位颠倒进行加法。题目中给出的例子,最初对应342 + 465 = 807,然后颠倒变成243 + 564 = 708,在转换为链表。
这下题目给出链表的定义,我们需要对这种类型的链表进行操作。
// Definition for singly-linked list. public class ListNode { public int val; public ListNode next; public ListNode(int x) { val = x; } }
方法一:普通遍历,链表l1和l2相应位置相加,再加进位,存入链表result中。
注意点:
- 对于一段长于另外一段的链表部分,单独处理。
- 进位。
- 结果之和长于两个链表的情况,如1 + 999 = 1000。
普通遍历,时间复杂度O(n),空间复杂度O(n),时间204ms。
// normal traversal: time O(n) space O(n) result: 204ms public void calculateSum(ListNode tresult, ref int carry, int sum) { ) { carry = ; tresult.next = ); } else { carry = ; tresult.next = new ListNode(sum); } } public ListNode AddTwoNumbers(ListNode l1, ListNode l2) { ListNode tl1 = l1, tl2 = l2; ListNode result = ); ListNode tresult = result; ; // both ListNode 1 and ListNode 2 have values while (tl1 != null && tl2 != null) { calculateSum(tresult, ref carry, tl1.val + tl2.val + carry); tl1 = tl1.next; tl2 = tl2.next; tresult = tresult.next; } // Debug.Assert(!(tl1 != null && tl2 != null), "tl1 and tl2 aren't null"); // either ListNode 1 or ListNode 2 has values (maybe) and don't forget carry. while (tl1 != null) { calculateSum(tresult, ref carry, tl1.val + carry); tl1 = tl1.next; tresult = tresult.next; } while (tl2 != null) { calculateSum(tresult,ref carry, tl2.val + carry); tl2 = tl2.next; tresult = tresult.next; } // at this time, ListNode 1 and ListNode 2 should be null, however, carry could be null or not // Debug.Assert(tl1 == null && tl2 == null, "calculation doesn't finish"); ) tresult.next = ); // neither ListNode 1 nor ListNode 2 have values return result.next; } */
方法二:空间优化遍历,链表l1和l2相应位置相加,再加进位,存入链表l1中。方法二的代码没有方法一的代码清晰。
空间优化遍历,时间复杂度O(n),空间复杂度O(1),时间208ms。
// use ListNode 1 to restore result // space (and time, I think, but result doesn't prove) optimized traversal: time O(n) space O(1) result: 208ms public ListNode AddTwoNumbers(ListNode l1, ListNode l2) { if (l1 == null) return l2; if (l2 == null) return l1; , sum = ; ListNode pre = null, result = l1; ) { // calculate sum and carry sum = ; if (l1 != null) sum += l1.val; if (l2 != null) { sum += l2.val; l2 = l2.next; // ListNode1 will be used below, ListNode2 not, so if ListNode 2 next exists, ListNode 2 move to next } sum += carry; ) { carry = ; sum -= ; } else { carry = ; } // find a place for sum in ListNode 1, l1 is in use if (l1 != null) { pre = l1; ) sum -= ; l1.val = sum; l1 = l1.next; } else { ) sum -= ; pre.next = new ListNode(sum); pre = pre.next; } } return result; } */
方法三:递归,链表l1和l2相应位置相加,再加进位,存入链表node中。速度最快,是比较好的解决方案。
# 解决(递归)
递归,时间复杂度O(n),空间复杂度O(n),时间196ms。
// recursive tranversal: time O(n) space:O(n) time: 196ms (why it is faster than normal loop) public ListNode AddTwoNumbers(ListNode l1, ListNode l2) { ); } public ListNode AddTwoNumbers(ListNode l1, ListNode l2, int carry) { ) return null; // calculate sum ; if (l1 != null) sum += l1.val; if (l2 != null) sum += l2.val; sum += carry; ) { carry = ; sum -= ; } else { carry = ; } // set node's next and val and return ListNode node = new ListNode(sum); node.next = AddTwoNumbers(l1 != null ? l1.next : null, l2 != null ? l2.next : null, carry); return node; }
# 题外话
为何递归会比循环快呢?百思不得其解,若有高人知道,请指教。
# 测试用例
static void Main(string[] args) { _2AddTwoNumbers solution = new _2AddTwoNumbers(); ListNode l1 = ); ListNode l2 = ); ListNode result = ); // ListNode doesn't have a null constructor, so we can igonore this case Debug.Assert(Test.match(solution.AddTwoNumbers(l1, l2), result), "wrong 1"); // ListNode 1 length is larger than ListNode 2 length l1 = ); l1.next = ); l1.next.next = ); l2 = ); result.next = ); result.next.next = ); Debug.Assert(Test.match(solution.AddTwoNumbers(l1, l2), result), "wrong 2"); // ListNode 2 length is larger than ListNode 1 length and has carries l1 = ); l1.next = ); l2 = ); l2.next = ); l2.next.next = ); result = ); result.next = ); result.next.next = ); result.next.next.next = ); Debug.Assert(Test.match(solution.AddTwoNumbers(l1, l2), result), "wrong 3"); }
class Test { public static bool match(_2AddTwoNumbers.ListNode l1, _2AddTwoNumbers.ListNode l2) { _2AddTwoNumbers.ListNode tl1 = l1, tl2 = l2; while(tl1 != null && tl2 != null) { if (tl1.val != tl2.val) return false; tl1 = tl1.next; tl2 = tl2.next; } if (tl1 == null && tl2 == null) return true; else return false; } }
# 地址
Q: https://leetcode.com/problems/add-two-numbers/
A: https://github.com/mofadeyunduo/LeetCode/tree/master/2AddTwoNumbers
(希望各位多多支持本人刚刚建立的GitHub和博客,谢谢,有问题可以邮件609092186@qq.com或者留言,我尽快回复)
LeetCode-2AddTwoNumbers(C#)的更多相关文章
- LeetCode in action
(1) Linked List: 2-add-two-numbers,2.cpp 19-remove-nth-node-from-end-of-list,TBD 21-merge-two-sorted ...
- 我为什么要写LeetCode的博客?
# 增强学习成果 有一个研究成果,在学习中传授他人知识和讨论是最高效的做法,而看书则是最低效的做法(具体研究成果没找到地址).我写LeetCode博客主要目的是增强学习成果.当然,我也想出名,然而不知 ...
- LeetCode All in One 题目讲解汇总(持续更新中...)
终于将LeetCode的免费题刷完了,真是漫长的第一遍啊,估计很多题都忘的差不多了,这次开个题目汇总贴,并附上每道题目的解题连接,方便之后查阅吧~ 477 Total Hamming Distance ...
- [LeetCode] Longest Substring with At Least K Repeating Characters 至少有K个重复字符的最长子字符串
Find the length of the longest substring T of a given string (consists of lowercase letters only) su ...
- Leetcode 笔记 113 - Path Sum II
题目链接:Path Sum II | LeetCode OJ Given a binary tree and a sum, find all root-to-leaf paths where each ...
- Leetcode 笔记 112 - Path Sum
题目链接:Path Sum | LeetCode OJ Given a binary tree and a sum, determine if the tree has a root-to-leaf ...
- Leetcode 笔记 110 - Balanced Binary Tree
题目链接:Balanced Binary Tree | LeetCode OJ Given a binary tree, determine if it is height-balanced. For ...
- Leetcode 笔记 100 - Same Tree
题目链接:Same Tree | LeetCode OJ Given two binary trees, write a function to check if they are equal or ...
- Leetcode 笔记 99 - Recover Binary Search Tree
题目链接:Recover Binary Search Tree | LeetCode OJ Two elements of a binary search tree (BST) are swapped ...
- Leetcode 笔记 98 - Validate Binary Search Tree
题目链接:Validate Binary Search Tree | LeetCode OJ Given a binary tree, determine if it is a valid binar ...
随机推荐
- SQL Server中的高可用性(2)----文件与文件组
在谈到SQL Server的高可用性之前,我们首先要谈一谈单实例的高可用性.在单实例的高可用性中,不可忽略的就是文件和文件组的高可用性.SQL Server允许在某些文件损坏或离线的情况下,允 ...
- Python-Jenkins API使用 —— 在后端代码中操控Jenkins
最近在工作中需要用到在后台代码中触发Jenkins任务的构建,于是想到Jenkins是否有一些已经封装好的API类库提供,用于处理跟Jenkins相关的操作.下面就简单介绍下我的发现. Linux C ...
- PHP赋值运算
1. 赋值运算:= ,意思是右边表达式的值赋给左边的运算数. $int1=10; $int1=$int1-6; //$int1=4 echo $int1,"<br>"; ...
- 隐马尔科夫模型python实现简单拼音输入法
在网上看到一篇关于隐马尔科夫模型的介绍,觉得简直不能再神奇,又在网上找到大神的一篇关于如何用隐马尔可夫模型实现中文拼音输入的博客,无奈大神没给可以运行的代码,只能纯手动网上找到了结巴分词的词库,根据此 ...
- scrapy爬虫docker部署
spider_docker 接我上篇博客,为爬虫引用创建container,包括的模块:scrapy, mongo, celery, rabbitmq,连接https://github.com/Liu ...
- Android数据加密之异或加密算法
前言: 这几天被公司临时拉到去做Android IM即时通信协议实现,大致看了下他们定的协议,由于之前没有参与,据说因服务器性能限制,只达成非明文传递,具体原因我不太清楚,不过这里用的加密方式是采用异 ...
- document.compatMode
在我电脑屏幕上显示的 电脑是 1920*1080这是在document.compatMode:css1Compat模式 window.screen.availWidth 1920 window.scr ...
- python 常用第三方模块
除了内建的模块外,Python还有大量的第三方模块. 基本上,所有的第三方模块都会在https://pypi.python.org/pypi上注册,只要找到对应的模块名字,即可用pip安装. 本章介绍 ...
- 让ASP.NET5在Jexus上飞呀飞
就在最近一段时间,“Visual Studio 2015 CTP 5”(以下简称CTP5)发布了,CTP5的发布不仅标志着新一代的VisualStudio正式发布又向前迈出了一步,还标志着距离ASP. ...
- C#与yaml解析
YAML 官方网站称 YAML 是"一种所有编程语言可用的友好的数据序列化标准".YAML Ain't Markup Language,和GNU一样,YAML是一个递归着说&quo ...