-
Notifications
You must be signed in to change notification settings - Fork 3
/
TwoSum.java
64 lines (59 loc) · 1.69 KB
/
TwoSum.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
package com.haobin.leetcode.arrays;
import java.util.Arrays;
import java.util.HashMap;
/**
* @Author HaoBin
* @Create 2020/1/9 18:01
* @Description: 两数之和
*
* 给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。
*
* 你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。
*
* 示例:
*
* 给定 nums = [2, 7, 11, 15], target = 9
*
* 因为 nums[0] + nums[1] = 2 + 7 = 9
* 所以返回 [0, 1]
*
*
**/
public class TwoSum {
/**
* 解法1 比较粗糙,直接遍历
*/
public int[] twoSum1(int[] nums, int target) {
int[] result = new int[2];
for(int i = 0; i < nums.length; i ++) {
for (int j = i+1; j < nums.length; j++) {
if ((nums[i] + nums[j] == target)) {
result[0] = i;
result[1] = j;
}
}
}
return result;
}
/**
* 解法2 使用 Hash 表存储
* @param nums
* @param target
*/
public int[] twoSum(int[] nums, int target) {
HashMap<Integer, Integer> result = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
if (result.containsKey(nums[i])) {
return new int[] {result.get(nums[i]), i};
}
result.put(target - nums[i], i);
}
return null;
}
public static void main(String[] args) {
int[] nums = {3,2,4};
int target = 6;
TwoSum twoSum = new TwoSum();
System.out.println(Arrays.toString(twoSum.twoSum(nums, target)));
}
}