有人相爱,有人夜里开车看海,有人leetcode第一题都做不出来。😢
上来就是一道经典题目两数之和
思路1 我冒泡法直接遍历一遍铁定能给他搞出来,行,说搞就搞
public static int[] twoSum(int[] nums, int target) {
for (int i = 0; i < nums.length; ++i) {
for (int j = i + 1; j < nums.length; ++j) {
if (nums[i] + nums[j] == target) {
return new int[]{i, j};
}
}
}
return new int[]{0};
}
有没有搞错嗷深沈!这算法题你双重循环?找个厂上班吧!
双重循环显然不是最优解,我们再次读题题目是两数之和我们就用两数的和去凑target实在是太局限了,观察题目中局的例子我们可以发现,如果我们可以找到数x的索引,和target-x的索引那么我们将会得到正确答案
有没有一种数据结构可以即保存数据本身,又可以保存他的索引值呢? map! 没毛病!利用map的特性我们开始整理思路
- 搞一个map
- 遍历我们可爱的数组nums
- 在遍历的时候试图从map中找寻target-x的key,如果不存在就在我们的map中存入<数X,数X的索引>,存在的话就直接return
ok上代码
public static int[] twoSum2(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for ( int i = 0; i < nums.length; ++i) {
if (map.containsKey(target-nums[i])) {
return new int[]{ map.get(target - nums[i]),i};
}
map.put(nums[i],i);
}
return new int[]{0};
}
以上图是评论区大神 的作品,太强了~!