===========================·····=======================
给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出 和为目标值 target 的那 两个 整数,并返回它们的数组下标。 你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。 你可以按任意顺序返回答案。
class Solution {
public int[] twoSum(int[] nums, int target) {
int len = nums.length;
for(int i = 0; i < len; i++){
for(int j = i + 1; j < len; ++j){
if((nums[i] + nums[j]) == target){
return new int[]{i, j};
}
}
}
return new int[]{-1,-1};
}
}
class Solution {
public int[] twoSum(int[] nums, int target) {
Map<Integer, Integer> hashtable = new HashMap<Integer, Integer>();
for (int i = 0; i < nums.length; ++i) {
if (hashtable.containsKey(target - nums[i])) {
return new int[]{hashtable.get(target - nums[i]), i};
}
hashtable.put(nums[i], i);
}
return new int[0];
}
}
我的解法是暴力解法,最常见的也是最容易的。
时间复杂度为N^2;空间复杂度为O(1);
这是我的提交结果:
--->
当然有其它解法,利用哈希表进行解答。 只使用了一层for循环,然后每次循环判断是否找到,如果找到了就返回,没找到就将元素放进hashtable中。 时间复杂度为O(N);时间复杂度为O(N);
评论区记录复习记录
评论