题目大意:有n个人要参加一项活动,活动要求参加的人里面尽量不要有couples,主办方提出了四个降低couples的方法:
1.两个人的身高差大于40
2.性别相同
3.喜欢的音乐风格不同
4.喜欢的运动相同
只要满足其中的一项就认定两人不是couples
现在给出n个人的四项数据,问最多能邀请到多少人
解题思路:这题和Poj 1466 Girls and Boys这题很相似,只不过这题给的条件不是直接给出的,而是要我们自己去找的
只要两个人四个条件都不满足,就可以认为他们是couples了(相当于poj 1466这题的暗恋关系)。所以,找出两两之间4个条件都不满足的关系,那么这题就和poj 1466这题很像了,那么这题就变成了给出一定的暗恋关系,要求你找出m个人,这m个人中的任何两人都不属于暗恋关系。
#include<cstdio>
#include<cstring>
#include<vector>
#include<cstdio>
using namespace std;
const int N = 510;
const int maxn = 110;
struct person{
int height;
char sex;
char style[maxn], sport[maxn];
}P[N];
int n, link[N],vis[N];
vector<int> g[N];
void init() {
scanf("%d", &n);
for(int i = 0; i < n; i++) {
scanf("%d %c %s %s", &P[i].height, &P[i].sex, P[i].style, P[i].sport);
g[i].clear();
}
for(int i = 0; i < n; i++)
for(int j = 0; j < n; j++)
if(i != j) {
if( !( (P[i].height - P[j].height) > 40 || P[j].height - P[i].height > 40 || P[i].sex == P[j].sex || strcmp(P[i].style,P[j].style) != 0 || strcmp(P[i].sport, P[j].sport) == 0))
g[i].push_back(j);
}
memset(link, -1, sizeof(link));
}
bool dfs(int u) {
for(int i = 0; i < g[u].size(); i++) {
if(vis[g[u][i]])
continue;
vis[g[u][i]] = 1;
if(link[g[u][i]] == -1 || dfs(link[g[u][i]])) {
link[g[u][i]] = u;
return true;
}
}
return false;
}
void hungary() {
int ans = 0;
for(int i = 0; i < n; i++) {
memset(vis,0,sizeof(vis));
if(dfs(i))
ans++;
}
printf("%d\n", n - ans / 2);
}
int main() {
int test;
scanf("%d", &test);
while(test--) {
init();
hungary();
}
return 0;
}
时间: 2024-10-29 21:00:21