问题描述:
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
2
3
4Given nums = [2, 7, 11, 15], target = 9,
Because nums[0] + nums[1] = 2 + 7 = 9,
return [0, 1].
第一种解法,使用 Recursion:
1 | // typescript |
运行情况:1
2Runtime: 328 ms, faster than 5.07% of JavaScript online submissions for Two Sum.
Memory Usage: 34.8 MB, less than 44.49% of JavaScript online submissions for Two Sum.
复杂度分析:
时间复杂度为:O(n^2). 对于每个元素而言,我们通过循环遍历剩余得的数组来查找它的补数,这花费了 O(n) 的时间复杂度,因此,这个时间复杂度为 O(n^2).
空间复杂度:O(1).
第二种解法,使用 HashTable
1 | // typescript |
运行情况:1
2Runtime: 60 ms, faster than 91.05% of JavaScript online submissions for Two Sum.
Memory Usage: 34.4 MB, less than 83.16% of JavaScript online submissions for Two Sum.
复杂度分析:
时间复杂度为:O(n). 我们只遍历了一次数组包含的 n 个元素. 每次查找哈希表所花费得时间为 O(1).
空间复杂度:O(n). 额外空间得大小需要依赖于元素的存储数量,最大存储量为 n 个元素,最小为 1.
额外提供 C++ 解法:
1 | C++ |
运行情况:1
2Runtime: 16 ms, faster than 58.40% of C++ online submissions for Two Sum.
Memory Usage: 10 MB, less than 56.09% of C++ online submissions for Two Sum.
计算型果然还是 C++ 比较快,看上去比 JS 快了 6~7 倍…