🌗 1. 两数之和
2022年6月9日
- algorithm
🌗 1. 两数之和
难度: 🌗
问题描述
解法
class Solution {
public int[] twoSum(int[] nums, int target) {
// 思路:
// 遍历一遍,边遍历边判断当前数能否和之前出现的某个数满足要求
HashMap<Integer, Integer> map = new HashMap<>();
int len = nums.length;
for(int i = 0; i < len; i ++) {
if(map.isEmpty()) {
map.put(nums[i], i);
} else {
if(map.containsKey(target - nums[i])) {
return new int[]{i, map.get(target - nums[i])};
} else {
map.put(nums[i], i);
}
}
}
return new int[2];
}
}