美文网首页LeeCode题目笔记
2019-08-24 数组拆分 I

2019-08-24 数组拆分 I

作者: Antrn | 来源:发表于2019-08-26 21:17 被阅读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].

    C++ 冒泡超时
    class Solution {
    public:
        int arrayPairSum(vector<int>& nums) {
            for(int i=0;i<nums.size();i++){
                for(int j=1;j<nums.size();j++){
                    if(nums.at(i) > nums.at(j)){
                        int temp = nums.at(i);
                        nums.at(i) = nums.at(j);
                        nums.at(j) = temp;
                    }
                }
            }
            int count = 0;
            for(int k=0;k<nums.size();k+=2){
                count += nums.at(k);
            }
            return count;
        }
    };
    
    Python 通过
    class Solution:
        def arrayPairSum(self, nums: List[int]) -> int:
            nums.sort()
            count = 0
            i=0
            while i < len(nums):
                count += nums[i]
                i = i+2
            return count
    

    相关文章

      网友评论

        本文标题:2019-08-24 数组拆分 I

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