LeetCode1262:可被三除的最大和之贪心+去除方法
程序员文章站
2022-03-15 15:14:19
...
题设
给你一个整数数组 nums,请你找出并返回能被三整除的元素最大和。
示例 1:
输入:nums = [3,6,5,1,8]
输出:18
解释:选出数字 3, 6, 1 和 8,它们的和是 18(可被 3 整除的最大和)。
示例 2:
输入:nums = [4]
输出:0
解释:4 不能被 3 整除,所以无法选出数字,返回 0。
示例 3:
输入:nums = [1,2,3,4,4]
输出:12
解释:选出数字 1, 3, 4 以及 4,它们的和是 12(可被 3 整除的最大和)。
提示:
1 <= nums.length <= 4 * 10^4
1 <= nums[i] <= 10^4
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/greatest-sum-divisible-by-three
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路
数组和有三种情况:模1、模2或者刚好被3整除,如果模1,去掉余1的最小数,模2去掉余2的最小数,刚好整除,那就不用去除,我们先建立3个数组用来存放模1、模2和刚好整除的数字子集,然后使用简单的条件判断就可。
代码
class Solution:
def maxSumDivThree(self, nums: List[int]) -> int:
a = [x for x in nums if x % 3 == 0]
b = sorted([x for x in nums if x % 3 == 1], reverse=True)
c = sorted([x for x in nums if x % 3 == 2], reverse=True)
tot = sum(nums)
ans = 0
if tot % 3 == 0:
ans = tot
if tot % 3 == 1:
if len(b) >= 1:
ans = max(ans, tot - b[-1])
if len(c) >= 2:
ans = max(ans, tot - sum(c[-2:]))
elif tot % 3 == 2:
if len(b) >= 2:
ans = max(ans, tot - sum(b[-2:]))
if len(c) >= 1:
ans = max(ans, tot - c[-1])
return ans
结果
讨论
这里我们使用了贪心思想和去除的方法,也可讨使用动态规划的方法,以后有空再叙。