美文网首页
Leecode[15] 三数之和

Leecode[15] 三数之和

作者: 饭板板 | 来源:发表于2020-09-23 16:01 被阅读0次

题目

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

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

给定数组 nums = [-1, 0, 1, 2, -1, -4],

满足要求的三元组集合为:
[
  [-1, 0, 1],
  [-1, -1, 2]
]

分析

  • 先排序。
  • 特判,集合为空,元素个数小于3、第一个元素大于0。
  • 去重,当前元素值与上一个元素值相同,则跳过。
  • 双指针,左指针指向 i+1,右指针指向 nums.Length - 1。
private static List<Tuple<int, int, int>> Method(int[] nums)
{
    var ans = new List<Tuple<int, int, int>>();
    if (nums == null || nums.Length < 3)
    {
        return ans;
    }

    Array.Sort(nums); // O(nlogn)

    for (int i = 0; i < nums.Length - 2; i++)
    {
        if (nums[i] > 0)
        {
            break;
        }

        // 去掉重复情况
        if (i > 0 && nums[i] == nums[i - 1])
        {
            continue;
        }

        int target = -nums[i];
        int left = i + 1, right = nums.Length - 1;
        while (left < right)  // 双指针遍历 O(n)
        {
            if (target == nums[left] + nums[right])
            {
                ans.Add(new Tuple<int, int, int>(nums[i], nums[left], nums[right]));

                // 双指针内缩
                left++;
                right--;

                // 去重复
                while (left < right && nums[left] == nums[left - 1])
                {
                    left++;
                }

                while (left < right && nums[right] == nums[right - 1])
                {
                    right--;
                }
            }
            else if (target > nums[left] + nums[right])
            {
                left++;
            }
            else
            {
                right--;
            }
        }
    }

    return ans;
}

相关文章

  • Leecode[15] 三数之和

    题目 给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b...

  • leecode15:三数之和

    题目:给定一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b...

  • 【LeetCode通关全记录】15. 三数之和

    【LeetCode通关全记录】15. 三数之和 题目地址:15. 三数之和[https://leetcode-cn...

  • leecode刷题(8)-- 两数之和

    leecode刷题(8)-- 两数之和 两数之和 描述: 给定一个整数数组 nums 和一个目标值 target,...

  • LeetCode-15 三数之和

    题目:15. 三数之和 难度:中等 分类:数组 解决方案:双指针 今天我们学习第15题三数之和,这是一道中等题。像...

  • leecode 1 两数之和

    求数组内满足特定值的元素索引 方法一 这种方法容易想,时间复杂度为n2 方法二 这种方法不是很容易想,但很有趣 5...

  • Leecode[1] 两数之和

    题目 给定一个整数数组 nums和一个目标值 target,请你在该数组中找出和为目标值的那两个整数,并返回他们的...

  • leecode:01 两数之和

    给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的...

  • leetcode No.16 3Sum Closest(最接近的

    题干: 效果: 思路: 这道题跟No.15很像,就是要找三数之和,但15是找三数之和为0,这题是找离target最...

  • LeetCode15 三数之和(Java实现)

    LeetCode15 三数之和(Java实现) 题目描述: 代码:

网友评论

      本文标题:Leecode[15] 三数之和

      本文链接:https://www.haomeiwen.com/subject/ljdoyktx.html