【LeetCode-Algorithms】561. Array Partition I

题目:

Given an array of 2n integers, your task is to group these integers into n pairs of integer, say (a1, b1), (a2, b2), ..., (an, bn) which makes sum of min(ai, bi) for all i from 1 to n as large as possible.

Example 1:
Input: [1,4,3,2]
Output: 4
Explanation: n is 2, and the maximum sum of pairs is 4.

Note:
n is a positive integer, which is in the range of [1, 10000].
All the integers in the array will be in the range of [-10000, 10000].

题目大意:

给定一个2n个整数的数组,你的任务是将这些整数分成n对整数,例如(a 1,b 1),(a 2,b 2),...,(a n,b n)所有i从1到n 的最小(a i,b i)的和尽可能大。

示例1:
输入: [1,4,3,2]
输出: 4
说明: n为2,最大对数为4。

注意:
n是正整数,在[1,10000]的范围内。
数组中的所有整数将在[-10000,10000]的范围内。

解题思路

题目大意为要将2n个数最终形成n个数对,每个数对中最小元素的和最大。
即取数对中较小的元素,并且要求和最大。
所以要求数对的元素之间的差值尽可能小,这样选取小数据时,损失不会太大。
所以只需将数组进行排序,排序后将对较小的元素进行求和就好了

具体实现

class Solution {
public:
    int arrayPairSum(vector& nums) {
        sort(nums.begin(), nums.end());
        int min = 0;
        for(int i=0; i < nums.size(); i=i+2)
        {
            min += nums[i];
        }
        return min;
    }
};

你可能感兴趣的:(【LeetCode-Algorithms】561. Array Partition I)