题目描述:
桌面上有 n 张纸牌,每张纸牌的正反两面各写着一个整数,初始时正面朝上。现在要求你翻动最少的纸牌,使得朝上的数字中最少有一半的数字是相同的,或判断无解。
思路:
在扑克牌出现的数字中,满足条件的数字最多不超过 4 个,所以 使用 hash 统计频率超过 n / 2 的数字,暴力枚举这几个数计算最小翻动次数;
代码实现:
#include <iostream>
#include <vector>
#include <unordered_map>
#include <climits>
#include <algorithm>
using namespace std;
int main() {
int n;
cin >> n;
vector<vector<int>> poke(n, vector<int>(2));
unordered_map<int, int> hashmap;
for (int i = 0; i < n; ++i) {
cin >> poke[i][0] >> poke[i][1];
hashmap[poke[i][0]]++;
hashmap[poke[i][1]]++;
}
vector<int> possible;
for (auto kv : hashmap) {
if (kv.second >= n / 2) possible.push_back(kv.first);
}
int res = INT_MAX;
for (int i = 0; i < possible.size(); ++i) {
int up = 0, down = 0;
for (int j = 0; j < n; ++j) {
if (poke[j][0] == possible[i]) {
up++;
}
else if (poke[j][1] == possible[i]) {
down++;
}
}
if (up > n / 2) {
cout << 0 << endl;
return 0;
}
else if ((up + down) > n / 2) {
res = min(res, n / 2 - up);
}
}
if (res == INT_MAX) {
cout << -1 << endl;
return 0;
}
cout << res << endl;
return 0;
}