美文网首页
16.最接近的三数之和

16.最接近的三数之和

作者: 一直流浪 | 来源:发表于2022-10-04 15:57 被阅读0次

16.最接近的三数之和

题目链接:https://leetcode-cn.com/problems/3sum-closest/

难度:中等

给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。

例如,给定数组 nums = [-1,2,1,-4], 和 target = 1.

与 target 最接近的三个数的和为 2. (-1 + 2 + 1 = 2).

解法一:排序+双指针法

首先先对 nums 数组排序,然后用变量i变量整个数组,设置指针L指向i+1,指针R指向len-1,计算出sum = nums[i]+nums[L]+nums[R]

  • i < len-2,进入循环:

    • 若L<R,进入内循环:
      • 计算sum = nums[i]+nums[L]+nums[R]
      • sum = target ,则sum就是距离最近的,直接return sum。
      • sum < target,则说明L指针指向的数字太小了,则将L++,向左移动。
      • sum > target,则说明R指针指向的数字太大了,则将R--,向右移动。

    依次遍历,直到找到距离最近的sum。

代码:

class Solution {
    public int threeSumClosest(int[] nums, int target) {
        Arrays.sort(nums);
        int l, r, sum;
        int len = nums.length;
        int ans = nums[0] + nums[1] + nums[2];
        if (len <= 3) {
            return ans;
        }
        for (int i = 0; i < len - 2; i++) {
            l = i + 1;
            r = len - 1;
            while (l < r) {
                sum = nums[l] + nums[r] + nums[i];
                if (sum == target) {
                    return sum;
                } else if (sum < target) {
                    l++;
                } else {
                    r--;
                }
                if (Math.abs(ans - target) > Math.abs(sum - target)) {
                    ans = sum;
                }
            }
        }
        return ans;
    }
}

相关文章

  • LeetCode-16 最接近的三数之和

    题目:16. 最接近的三数之和 难度:中等 分类:数组 解决方案:双指针 今天我们学习第16题最接近的三数之和,这...

  • 力扣每日一题:16.最接近的三数之和 双指针解法

    16.最接近的三数之和 https://leetcode-cn.com/problems/3sum-closest...

  • 16.最接近的三数之和

    16.最接近的三数之和 题目链接:https://leetcode-cn.com/problems/3sum-cl...

  • 16. 三数之和最接近

    题目 给定一个整数数组 nums 和一个目标数 target,在 nums 中找出三个数,要求其和与 targe...

  • algrithrom

    求和问题,双指针解决 done 两数之和 三数之和 最接近三数之和 四数之和 链表反转问题 done 链表反转 链...

  • 16. 最接近的三数之和

    一、题目原型: 给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整...

  • 16.最接近的三数之和

    题目给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们...

  • 16. 最接近的三数之和

    知乎ID: 码蹄疾码蹄疾,毕业于哈尔滨工业大学。小米广告第三代广告引擎的设计者、开发者;负责小米应用商店、日历、开...

  • 16. 最接近的三数之和

    16.最接近的三数之和 给定一个包括n个整数的数组nums和 一个目标值target。找出nums中的三个整数,使...

  • 16.最接近的三数之和

    给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和...

网友评论

      本文标题:16.最接近的三数之和

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