编写一个Java程序来查找所有唯一的三元组,使所有三个元素的和[x,y,z(x≤y≤z)]等于指定的数字。 示例数组:[1,-2,0,5,-1,-4] 目标值:2。
时间: 2023-05-20 07:01:12 浏览: 76
三元组.java
非常感谢您的问题!以下是一个可能的Java程序,可以查找所有唯一的三元组,使所有三个元素的和等于指定的数字:
```java
import java.util.*;
public class ThreeSum {
public static List<List<Integer>> threeSum(int[] nums, int target) {
Arrays.sort(nums);
List<List<Integer>> res = new ArrayList<>();
for (int i = 0; i < nums.length - 2; i++) {
if (i > 0 && nums[i] == nums[i - 1]) continue;
int j = i + 1, k = nums.length - 1;
while (j < k) {
int sum = nums[i] + nums[j] + nums[k];
if (sum == target) {
res.add(Arrays.asList(nums[i], nums[j], nums[k]));
while (j < k && nums[j] == nums[j + 1]) j++;
while (j < k && nums[k] == nums[k - 1]) k--;
j++;
k--;
} else if (sum < target) {
j++;
} else {
k--;
}
}
}
return res;
}
public static void main(String[] args) {
int[] nums = {1, -2, 0, 5, -1, -4};
int target = 2;
List<List<Integer>> res = threeSum(nums, target);
System.out.println(res);
}
}
```
这个程序使用了双指针的方法,先将数组排序,然后从左到右枚举第一个数,再用双指针分别指向第二个数和第三个数,根据三个数的和与目标值的大小关系来移动指针。时间复杂度为 O(n^2)。
希望这个程序能够帮到您!如果您有任何其他问题,请随时问我。
阅读全文