LeetCode No16. 最接近的三数之和
2022/4/21 23:16:42
本文主要是介绍LeetCode No16. 最接近的三数之和,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!
题目
给你一个长度为 n 的整数数组 nums 和 一个目标值 target。请你从 nums 中选出三个整数,使它们的和与 target 最接近。
返回这三个数的和。
假定每组输入只存在恰好一个解。
示例 1:
输入:nums = [-1,2,1,-4], target = 1
输出:2
解释:与 target 最接近的和是 2 (-1 + 2 + 1 = 2) 。
示例 2:
输入:nums = [0,0,0], target = 1
输出:0
提示:
3 <= nums.length <= 1000
-1000 <= nums[i] <= 1000
-10^4 <= target <= 10^4
思路
暴力
暴力大法万岁,三个for循环可以过。
双指针
这道题目和昨天的三数之和其实是一个思路,找其中一个数,然后用两个指针分别代表另外两数,判断条件由等于改成了相减后绝对值最小。
AC代码
暴力
点击查看代码
class Solution { public int threeSumClosest(int[] nums, int target) { int len = nums.length; Arrays.sort(nums); int res = 100000; // 如何剪枝 for(int first=0; first<len; first++) { for(int second = first+1; second<len; second++) { // 这层应该是不需要的,有超时风险 for(int thread = second+1; thread<len; thread++) { int num = nums[first]+nums[second]+nums[thread]; if( Math.abs(target-num)<=Math.abs(target-res) ) { res = num; } } } } return res; } }
双指针
点击查看代码
class Solution { public int threeSumClosest(int[] nums, int target) { int len = nums.length; Arrays.sort(nums); int res = 100000; for(int i=0; i<len-2; i++) { if( i!=0 && nums[i]==nums[i-1] ) { continue; } int j = i + 1, k = len - 1; while (j < k) { int sum = nums[i] + nums[j] + nums[k]; if (sum == target) { return target; } if (Math.abs(sum - target) < Math.abs(res - target)) { res = sum; } if (sum > target) { int k0 = k - 1; while (j < k0 && nums[k0] == nums[k]) { --k0; } k = k0; } else { // 如果和小于 target,移动 b 对应的指针 int j0 = j + 1; // 移动到下一个不相等的元素 while (j0 < k && nums[j0] == nums[j]) { ++j0; } j = j0; } } } return res; } }
这篇关于LeetCode No16. 最接近的三数之和的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!
- 2024-11-22怎么实现ansible playbook 备份代码中命名包含时间戳功能?-icode9专业技术文章分享
- 2024-11-22ansible 的archive 参数是什么意思?-icode9专业技术文章分享
- 2024-11-22ansible 中怎么只用archive 排除某个目录?-icode9专业技术文章分享
- 2024-11-22exclude_path参数是什么作用?-icode9专业技术文章分享
- 2024-11-22微信开放平台第三方平台什么时候调用数据预拉取和数据周期性更新接口?-icode9专业技术文章分享
- 2024-11-22uniapp 实现聊天消息会话的列表功能怎么实现?-icode9专业技术文章分享
- 2024-11-22在Mac系统上将图片中的文字提取出来有哪些方法?-icode9专业技术文章分享
- 2024-11-22excel 表格中怎么固定一行显示不滚动?-icode9专业技术文章分享
- 2024-11-22怎么将 -rwxr-xr-x 修改为 drwxr-xr-x?-icode9专业技术文章分享
- 2024-11-22在Excel中怎么将小数向上取整到最接近的整数?-icode9专业技术文章分享