概述
题目
给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0 ?请你找出所有满足条件且不重复的三元组。
注意: 答案中不可以包含重复的三元组。
示例
给定数组 nums = {3, 2, -5, 4, 5, 6, 7, -9, -11}
满足要求的三元组集合为:
[-11, 4, 7]
[-11, 5, 6]
[-9, 2, 7]
[-9, 3, 6]
[-9, 4, 5]
[-5, 2, 3]
思路
拿这个nums数组来举例,首先将数组排序,然后有一层for循环,i从下标0的地方开始,同时定一个下标left 定义在i+1的位置上,定义下标right 在数组结尾的位置上。
依然还是在数组中找到 abc 使得a + b +c =0,我们这里相当于 a = nums[i] b = nums[left] c = nums[right]。
接下来如何移动left 和right呢, 如果nums[i] + nums[left] + nums[right] > 0 就说明 此时三数之和大了,因为数组是排序后了,所以right下标就应该向左移动,这样才能让三数之和小一些。
如果 nums[i] + nums[left] + nums[right] < 0 说明 此时 三数之和小了,left 就向右移动,才能让三数之和大一些,直到left与right相遇为止。
时间复杂度: O ( n 2 ) O(n^2) O(n2)。
实现效果
代码实现
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class TestDemo {
/**
* 找出数组中所有三个数之和为0的数字
* */
public static void main(String[] args) {
int[] nums = {3, 2, -5, 4, 5, 6, 7, -9, -11};
System.out.println("原始数组: " + Arrays.toString(nums));
List<List<Integer>> numList = new TestDemo().findAll(nums);
System.out.println("三数之和为0的数字: ");
numList.stream().forEach( n -> {
System.out.println(n);
});
}
public List<List<Integer>> findAll(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
//讲数组从小到大排序
Arrays.sort(nums);
for (int i = 0; i < nums.length; i++) {
if (nums[i] > 0) {
return result;
}
if (i > 0 && nums[i] == nums[i - 1]) {
continue;
}
int left = i + 1;
int right = nums.length - 1;
while (right > left) {
int sum = nums[i] + nums[left] + nums[right];
if (sum > 0) {
right--;
} else if (sum < 0) {
left++;
} else {
result.add(Arrays.asList(nums[i], nums[left], nums[right]));
while (right > left && nums[right] == nums[right - 1]) right--;
while (right > left && nums[left] == nums[left + 1]) left++;
right--;
left++;
}
}
}
return result;
}
}
最后
以上就是凶狠音响为你收集整理的Java找出数组中所有三个数之和为0的数字题目示例思路实现效果代码实现的全部内容,希望文章能够帮你解决Java找出数组中所有三个数之和为0的数字题目示例思路实现效果代码实现所遇到的程序开发问题。
如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。
发表评论 取消回复