我是靠谱客的博主 沉静烧鹅,最近开发中收集的这篇文章主要介绍【LeetCode】15. 三数之和题目:15. 三数之和解题思路代码,觉得挺不错的,现在分享给大家,希望可以做个参考。

概述

文章目录

  • 题目:15. 三数之和
  • 解题思路
  • 代码

题目:15. 三数之和

15. 三数之和


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

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

示例 1:

输入:nums = [-1,0,1,2,-1,-4]
输出:[[-1,-1,2],[-1,0,1]]

示例 2:

输入:nums = []
输出:[]

示例 3:

输入:nums = [0]
输出:[]

提示:

  • 0 <= nums.length <= 3000
  • -105 <= nums[i] <= 105

解题思路

  1. 首先对数组进行排序.
  2. 枚举a,
    1. 如果和上一个元素相同则跳过
    2. 创建一个指针c,指向数组的最右边
    3. 枚举b
      1. 如果和上一个元素相同则跳过
      2. 保证b指针在c的左边,
      3. 如果指针重合就会不满足条件
  3. 满足条件添加到结果集中。

代码

class Solution {
public:
// 1. 首先对数组进行排序.
// 2. 枚举a,
// 	1. 如果和上一个元素相同则跳过
// 	2. 创建一个指针c,指向数组的最右边
// 	3. 枚举b
// 		1.  如果和上一个元素相同则跳过
// 		2. 保证b指针在c的左边,
// 		3. 如果指针重合就会不满足条件
// 3. 满足条件添加到结果集中。
    vector<vector<int>> threeSum(vector<int>& nums) {
        int n = nums.size();
        sort(nums.begin(), nums.end());
        vector<vector<int>> res;
        
        for (int first  = 0; first < n; first++) {
            if (first > 0 && nums[first] == nums[first - 1]) continue;
            int third = n - 1;
            int target = -nums[first];
            for (int second = first + 1; second < n; second++) {
                if (second > first + 1 && nums[second] == nums[second - 1]) continue;
                while (second < third && nums[second] + nums[third] > target) {
                    third--;
                }
                if (second == third) break;
                if (nums[second] + nums[third] == target) {
                    res.push_back({nums[first], nums[second], nums[third]});
                }
            }

        }
        return res;
    }
};


最后

以上就是沉静烧鹅为你收集整理的【LeetCode】15. 三数之和题目:15. 三数之和解题思路代码的全部内容,希望文章能够帮你解决【LeetCode】15. 三数之和题目:15. 三数之和解题思路代码所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(50)

评论列表共有 0 条评论

立即
投稿
返回
顶部