两数之和
1.题目
Given an array of integers, return indices of the two numbers such that they add up to a specific target.
You may assume that each input would have exactly one solution, and you may not use the sameelement twice.
Example:
1 | Given nums = [2, 7, 11, 15], target = 9, |
分析:
就是给定一个数,在列表中找到两个数的和是这个,把下标输出出来。最简单的方式就是用for循环,比如下面的代码:
1 | list=[] |
这个最好理解的,就是for循环,从第一个开始循环,然后再循环剩下的数入,如果两个数加起来是目标数值,就返回。在一个从小到大有序的数组是非常快。但是如果这个数组中数值是无序就比较慢了(只能跑赢20%左右的python代码)。
下面给出一个无序比较快的一段查找代码:
1 | a={} |
这个代码的思路,一次循环就能做出来,用了字典,key是数组的值,value是数组的下标。然后利用字典的查询特点快速找到值,取出下标(跑赢100%)。
两个列表之和
题目
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:
1 | Input: (2 -> 4 -> 3) + (5 -> 6 -> 4) |
分析:
就是把两个链表上的数值相加,最终得到一个链表的值。有点像竖式运算。所以就只能循环链表,把数值相加。注意,超过9的话会进1。简单的代码如下:
1 | cur = result =ListNode(0) |
这个里面就是有很多判断条件,只能跑赢40%左右的python代码,下面又做了一些改进
1 | cur = result =ListNode(0) |
这个代码比上一个代码只能提升一点点,怎么能跑赢超过一半的python代码,不知道大家有没有比较好的想法,可以交流一下