题目
Description
lxhgww最近迷上了一款游戏,在游戏里,他拥有很多的装备,每种装备都有2个属性,这些属性的值用[1,10000]之间的数表示。当他使用某种装备时,他只能使用该装备的某一个属性。并且每种装备最多只能使用一次。 游戏进行到最后,lxhgww遇到了终极boss,这个终极boss很奇怪,攻击他的装备所使用的属性值必须从1开始连续递增地攻击,才能对boss产生伤害。也就是说一开始的时候,lxhgww只能使用某个属性值为1的装备攻击boss,然后只能使用某个属性值为2的装备攻击boss,然后只能使用某个属性值为3的装备攻击boss……以此类推。 现在lxhgww想知道他最多能连续攻击boss多少次?
Input
输入的第一行是一个整数N,表示lxhgww拥有N种装备 接下来N行,是对这N种装备的描述,每行2个数字,表示第i种装备的2个属性值
Output
输出一行,包括1个数字,表示lxhgww最多能连续攻击的次数。
Sample Input
3
1 2
3 2
4 5
Sample Output
2
HINT
【数据范围】
对于30%的数据,保证N < =1000
对于100%的数据,保证N < =1000000
思路
一道二分图的题。
我们把每个武器向两个属性连边,然后枚举,跑二分图,就行了。
注意一下,这题的范围,不能用邻接矩阵了,要用邻接表。
代码
#include <bits/stdc++.h>
using namespace std;
const int M = 1e6+5, N = M*4;
int n, x, y, maxn;
int tot, point[M], nxt[N], v[N];
int belong[M], vis[M];
void addedge(int x, int y) {
nxt[++tot] = point[x];
point[x] = tot;
v[tot] = y;
}
bool find(int x,int k) {
for (int i = point[x]; i; i = nxt[i])
if (vis[v[i]] != k) {
vis[v[i]] = k;
if (!belong[v[i]] || find(belong[v[i]],k)) { belong[v[i]] = x; return true;}
}
return false;
}
int main() {
scanf("%d", &n);
for (int i = 1; i <= n; i++) {
scanf("%d%d",&x, &y);
addedge(x, i); addedge(y, i);
maxn=max(maxn, x); maxn=max(maxn, y);
}
for (int i = 1; i <= maxn; i++)
if (!find(i,i)) { printf("%d\n", i-1); return 0; }
printf("%d\n", maxn);
}