1. Two Sum
class Solution {
public int[] twoSum(int[] nums, int target) {
for (int i = 0; i < nums.length; i++) {
for (int j = i + 1; j < nums.length; j++) {
if (target == nums[i] + nums[j]) {
return new int[] {i, j};
}
}
}
throw new RuntimeException("not found");
}
}class Solution {
public int[] twoSum(int[] nums, int target) {
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
int cur = nums[i];
if (map.containsKey(target - cur)) {
return new int[]{map.get(target - cur), i};
}
map.put(cur, i);
}
throw new RuntimeException("not found");
}
}js
Last updated