题目描述
给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0 ?请你找出所有满足条件且不重复的三元组。
注意:答案中不可以包含重复的三元组。
示例:
给定数组 nums = [-1, 0, 1, 2, -1, -4],
满足要求的三元组集合为:
[
[-1, 0, 1],
[-1, -1, 2]
]
题解
class Solution {
public List<List<Integer>> threeSum(int[] nums) {
List<List<Integer>> list = new ArrayList<>();
int len = nums.length;
if (nums == null || nums.length < 3) return list;
Arrays.sort(nums);
for (int i = 0; i < len; ++i) {
if (nums[i] > 0) break;
if (i > 0 && nums[i] == nums[i - 1]) continue;
int L = i + 1;
int R = len - 1;
while (L < R) {
int sum = nums[i] + nums[L] + nums[R];
if (sum == 0) {
list.add(Arrays.asList(nums[i], nums[L], nums[R]));
while (L < R && nums[L] == nums[L + 1]) L++;
while (L < R && nums[R] == nums[R - 1]) R--;
L++;
R--;
} else if (sum < 0) L++;
else if (sum > 0) R--;
}
}
return list;
}
}
分析
- 最简单最好想的就是暴力,三次for循环,时间复杂度O(n^3)。下面分析上面的代码
- 定义一个list来保存最终结果。
- 对数组进行排序,保证是从小到大的顺序。
- 定义最左边的元素i,i的右边一个元素L,数组最后的元素R。
- 如果nums[i] == 0,就退出循环,因为排序过后 i 已经是最小的元素了,再加上两个数也不可能等于0。
- 如果 nums[i]nums[i]nums[i] == nums[i−1]nums[i-1]nums[i−1],则说明该数字重复,会导致结果重复,所以应该跳过。
- 当sum == 0时,nums[L] == nums[L + 1]会导致结果重复,L++。
- 当sum == 0时,nums[R] == nums[R - 1]会导致结果重复,R–。
- 当三个数相加结果小于0,说明L小了,则L++。
- 当三个数相加结果大于0,说明R大了,则R–。
- 将最后的结果返回即可