题目描述

给定一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 _a + b + c = _0 ?找出所有满足条件且不重复的三元组。

注意:答案中不可以包含重复的三元组。

  1. 例如, 给定数组 nums = [-1, 0, 1, 2, -1, -4],
  2. 满足要求的三元组集合为:
  3. [
  4. [-1, 0, 1],
  5. [-1, -1, 2]
  6. ]

题解

参考论坛大神-Java-solution),排序配合双指针减少一层循环。

  1. public IList<IList<int>> ThreeSum(int[] nums)
  2. {
  3. nums = nums.OrderBy(n => n).ToArray();
  4. IList<IList<int>> res = new List<IList<int>>();
  5. for (var i = 0; i < nums.Length - 2; i++)
  6. {
  7. if (i == 0 || (i > 0 && nums[i] != nums[i - 1]))
  8. {
  9. int low = i + 1, high = nums.Length - 1, sum = 0 - nums[i];
  10. while (low < high)
  11. {
  12. if (nums[low] + nums[high] == sum)
  13. {
  14. res.Add(new[] { nums[i], nums[low], nums[high] });
  15. while (low < high && nums[low] == nums[low + 1]) low++;
  16. while (low < high && nums[high] == nums[high - 1]) high--;
  17. low++;
  18. high--;
  19. }
  20. else if (nums[low] + nums[high] < sum)
  21. {
  22. low++;
  23. }
  24. else
  25. {
  26. high--;
  27. }
  28. }
  29. }
  30. }
  31. return res;
  32. }