题目翻译:
给定两个集合,集合中的数为任意整数,请你每次都从集合A和B中取一个进行乘积,不断加和到sum,已经选取过的元素不能再次选取,请输出sum的最大值。
题解思路:
对集合中的元素进行排序,从左向右依次是:大正数、小正数、0、小负数、大负数,也就是说将绝对值大的负数放在前面。然后用一个双指针从头遍历即可。
代码:
#include<bits/stdc++.h>
using namespace std;
int Nc, Np;
bool comp(int t1, int t2)
{
if (t1 < 0 && t2 < 0)
return t1 < t2;
else
return t1 > t2;
}
int main()
{
cin >> Nc;
vector<int> a, b;
while (Nc--)
{
int t;cin >> t;
a.push_back(t);
}
sort(a.begin(), a.end(), comp);
cin >> Np;
while (Np--)
{
int t;cin >> t;
b.push_back(t);
}
sort(b.begin(), b.end(), comp);
long long sum = 0;
for (int i = 0,j = 0;i < a.size() && j < b.size();)
{
while (a[i] == 0)
i++;
while (b[j] == 0)
j++;
if (a[i] > 0 && b[j] > 0)
sum += a[i++] * b[j++];
else if (a[i] < 0 && b[j] > 0)
j++;
else if (a[i] > 0 && b[j] < 0)
i++;
else
sum += a[i++] * b[j++];
}
cout << sum;
}
坑点:
注意测试点4:考察的是0,对于0来说,遍历到的时候直接跳过即可。