1.LeetCode15题目链接
https://leetcode-cn.com/problems/3sum/
2.题目解析
这个题目一看就要各种遍历数据,所以我们可以先将数据排序,可以降低复杂度。减少最后出现超时的问题,三数之和等于0,首先要确定一位数,然后另外两位数动态改变与我们确定的数相加,但因为有重复的数据,所以我们要注意去重。比如说数组a[],我们通过循环我们取a[i],然后在取a[i+1]和a[a.length -1],三数相加可以确定一个值,由于数组经过排序,若该值大于0,我们就要将a[a.length -1]向左移,若该值小于0,我们将a[i+1]向右移动。值等于0,将三数保存。
不过最后还是没有逃过超时的命运,每次sum不等于0的时候都要进行循环将下标增加或减少,开始在是while内写的,后面改成了while的判断条件里面写,避免了超时。
public List<List<Integer>> threeSum(int[] nums) {
Arrays.sort(nums);
List<List<Integer>> res = new ArrayList<>();
for (int k = 0; k < nums.length - 2; k++) {
if (nums[k] > 0) {
break;
}
//若和上一位相同跳过
if (k > 0 && nums[k] == nums[k - 1]) {
continue;
}
int i = k + 1, j = nums.length - 1;
while (i < j) {
int sum = nums[k] + nums[i] + nums[j];
if (sum < 0) {
while (i < j && nums[i] == nums[i + 1]) {
i++;
}
} else if (sum > 0) {
while (i < j && nums[j] == nums[j - 1]) {
j--;
}
} else {
res.add(new ArrayList<Integer>(Arrays.asList(nums[k], nums[i], nums[j])));
while (i < j && nums[i] == nums[i + 1]) {
i++;
}
while (i < j && nums[j] == nums[j - 1]) {
j--;
}
}
}
}
return res;
}