【每日一算】两数之和
程序员文章站
2022-07-14 15:25:02
...
给定一个整数数组nums 和一个目标值 target ,请在该数组中找出和为目标值的那两个整数,并返回它们的数组下标。
假设每种输入只会对应一种答案。但是,你不能重复利用这个数组中同样的元素。
示例:
给定:nums = [2,7,11,15] , target = 17
返回:[0,3]
解题思路:
我们可以在遍历的过程中将元素放入hash表中,并且在每次放入hash 表之前,比较目标值与当前遍历值的差值是否在hash表,如果有,则直接返回当前值的下标和对应hash表中的key值的value,如果没有在hash表中,则将当前值作为key,当前值在数组中的下标作为value,存入到hash表中,继续遍历,直至遍历结束。
代码:
class Solution {
public int[] twoSum(int[] nums, int target){
Map<Integer,Integer> map = new HashMap<>();
int des;
for(int i = 0;i<nums.length;i++){
des = target - nums[i];
if(map.containsKey(des)){
return new int[]{map.get(des),i};
}
map.put(nums[i],i);
}
return null;
}
}
上一篇: 【力扣算法】240-搜索二维矩阵II
下一篇: 力扣搜索二维矩阵II