美文网首页
Leetcode_561 Array Partition I

Leetcode_561 Array Partition I

作者: vcancy | 来源:发表于2018-04-20 16:27 被阅读0次

    给定长度为 2n 的数组, 你的任务是将这些数分成 n 对, 例如 (a1, b1), (a2, b2), ..., (an, bn) ,使得从1 到 n 的 min(ai, bi) 总和最大。

    示例 1:

    输入: [1,4,3,2]

    输出: 4
    解释: n 等于 2, 最大总和为 4 = min(1, 2) + min(3, 4).
    提示:

    n 是正整数,范围在 [1, 10000].
    数组中的元素范围在 [-10000, 10000].

    """
    贪婪算法:
    要最大化每对中的较小值之和,那么肯定是每对中两个数字大小越接近越好,
    因为如果差距过大,而我们只取较小的数字,那么大数字就浪费掉了。
    明白了这一点,我们只需要给数组排个序,然后按顺序的每两个就是一对,
    我们取出每对中的第一个数即为较小值累加起来即可
    """

    class Solution:
        def arrayPairSum(self, nums):
            """
            :type nums: List[int]
            :rtype: int
            """
            nums.sort()
            total = 0
            for i in range(0, len(nums), 2):
                total += nums[i]
            return total
    

    相关文章

      网友评论

          本文标题:Leetcode_561 Array Partition I

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