题目:给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。
你可以假设每种输入只会对应一个答案。但是,数组中同一个元素不能使用两遍。
总结:当需要遍历数据时,可以考虑将数据存储到哈希表内,这样在不考虑冲突的情况下遍历的时间复杂度由O(n)降到O(1),考虑冲突的情况下,最坏情况下,时间复杂度为O(n)
方法一:暴力解法
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
vector<int> result;
for (int i = 0; i < nums.size();) {
int temp = target - nums[i];
if (find(nums.begin()+i+1, nums.end(), temp) == nums.end()) {
i++;
}else {
result.push_back(i);
result.push_back(find(nums.begin()+i+1, nums.end(), temp)-nums.begin());
break;
}
}
return result;
}
};
时间复杂度:O(n2)
空间复杂度:O(1)
方法二:两遍哈希表
空间换时间,采用哈希表,将数组中的每个元素和其索引相互对应,查找时间从O(n)降到O(1)
两次迭代,第一次迭代将每个元素及其索引加入到哈希表中,第二次迭代遍历各元素,并判断target-nums[i]是否在表中。
class Solution {
public int[] twoSum(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
map.put(nums[i], i);
}
for (int i = 0; i < nums.length; i++) {
int complement = target - nums[i];
if (map.containsKey(complement) && map.get(complement) != i) {
return new int[] { i, map.get(complement) };
}
}
throw new IllegalArgumentException("No two sum solution");
}
}
方法三:一遍哈希表
在迭代将元素插入到表中的同时,还回头检查表中是否已经存在当前元素所对应的目标元素。
时间复杂度O(n)
空间复杂度O(n)
class Solution {
public int[] twoSum(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
int complement = target - nums[i];
if (map.containsKey(complement)) {
return new int[] { map.get(complement), i };
}
map.put(nums[i], i);
}
throw new IllegalArgumentException("No two sum solution");
}
}
作者:LeetCode
链接:https://leetcode-cn.com/problems/two-sum/solution/liang-shu-zhi-he-by-leetcode-2/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。