力扣刷题:1. 两数之和
Problem: 1. 两数之和
文章目录
- 复杂度
- Code
- 我的
- 方法一:暴力枚举
- 方法二:哈希表
复杂度
- 时间复杂度:
时间复杂度:O(N2),其中 N 是数组中的元素数量。最坏情况下数组中任意两个数都要被匹配一次。
- 空间复杂度:
空间复杂度: O ( 1 ) O(1) O(1)
Code
我的
class Solution {
public int[] twoSum(int[] nums, int target) {
for (int i = 0; i < nums.length-1; i++) { // 最后一个无需比较
int k = target - nums[i];
for (int j = i + 1; j < nums.length; j++){
if (nums[j] == k ){
return new int[] {
i,j
};
}
}
}
return new int[] {};
}
}
方法一:暴力枚举
class Solution {
public int[] twoSum(int[] nums, int target) {
int n = nums.length;
for (int i = 0; i < n; ++i) {
for (int j = i + 1; j < n; ++j) {
if (nums[i] + nums[j] == target) {
return new int[]{i, j};
}
}
}
return new int[0];
}
}
方法二:哈希表
class Solution {
public int[] twoSum(int[] nums, int target) {
int len = nums.length;
Map<Integer, Integer> hashtable = new HashMap<Integer, Integer>(len -1 );// 指定长度,防止扩容损害性能;
for (int i = 0; i < len; ++i) {
int another = target - nums[i];
if (hashtable.containsKey(another )) {
return new int[]{hashtable.get(another), i};
}
hashtable.put(nums[i], i);
}
return new int[0];
}
}