题目描述
现在电视台有一种节目叫做超级英雄,大概的流程就是每位选手到台上回答主持人的几个问题,然后根据回答问题的多少获得不同数目的奖品或奖金。主持人问题准备了若干道题目,只有当选手正确回答一道题后,才能进入下一题,否则就被淘汰。为了增加节目的趣味性并适当降低难度,主持人总提供给选手几个“锦囊妙计”,比如求助现场观众,或者去掉若干个错误答案(选择题)等等。
这里,我们把规则稍微改变一下。假设主持人总共有m道题,选手有n种不同的“锦囊妙计”。主持人规定,每道题都可以从两种“锦囊妙计”中选择一种,而每种“锦囊妙计”只能用一次。我们又假设一道题使用了它允许的锦囊妙计后,就一定能正确回答,顺利进入下一题。现在我来到了节目现场,可是我实在是太笨了,以至于一道题也不会做,每道题只好借助使用“锦囊妙计”来通过。如果我事先就知道了每道题能够使用哪两种“锦囊妙计”,那么你能告诉我怎样选择才能通过最多的题数吗?
输入格式:
输入的第一行是两个正整数 $n$ 和 $m$ $(0<n<1001,0<m<1001)$,表示总共有 n 种“锦囊妙计”,编号为 $0…n−1$,总共有 $m$ 个问题。
以下的 $m$ 行,每行两个数,分别表示第 $m$ 个问题可以使用的“锦囊妙计”的编号。
注意,每种编号的“锦囊妙计”只能使用一次,同一个问题的两个“锦囊妙计”可能一样。
输出格式
输出的第一行为最多能通过的题数 $p$,接下来 $p$ 行,每行为一个整数,第 $i$ 行表示第 $i$ 题使用的“锦囊妙计的编号”。
如果有多种答案,那么任意输出一种,本题使用 Special Judge 评判答案。
输入样例
5 6
3 2
2 0
0 3
0 4
3 2
3 2
输出样例
4
3
2
0
4
Solution
最近学了一下二分图匹配,找了几道题目练练手。。。。
这道题可以很容易看出是一道二分图最大匹配的一道题,但是有一个地方需要注意,我们需要在答不出题的情况下直接退出循环。
Code
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93
| #include <iostream> #include <cstdio> #include <cstring> #include <algorithm> #define MAXN 100010 namespace STman { template <typename Tp> inline void read(Tp &x) { #define C getchar() Tp f = 1;x = 0; char k = C; while (k < '0' || k > '9') {if (k == '-') f = -1; k = C;} while (k >= '0' && k <= '9') {x = x * 10 + k - '0'; k = C;} x = x * f; #undef C } template <typename Tp> inline void write(Tp x) { if (x < 0) putchar('-') , x = -x; if (x > 9) write(x / 10); putchar(x % 10 + '0'); } template <typename Tp> inline Tp max(Tp a, Tp b) { if (a > b) return a; else return b; } template <typename Tp> inline Tp min(Tp a, Tp b) { if (a < b) return a; else return b; } template <typename Tp> inline void swap(Tp &a, Tp &b) { Tp t = a; a = b; b = t; } template <typename Tp> inline Tp abs(Tp &a) { if (a < 0) return -a; else return a; } inline void sp() { putchar(32); } inline void et() { putchar(10); } } using namespace STman; struct Edge { int v, nx; }e[MAXN]; int head[MAXN], ecnt, n, m, mtch[MAXN], ans[MAXN], x, y, tot; bool vis[MAXN]; void add(int f, int t) { e[++ecnt] = (Edge) {t, head[f]}; head[f] = ecnt; } bool Hungary(int k) { for (int i = head[k]; i; i = e[i].nx) { int to = e[i].v; if (!vis[to]) { vis[to] = 1; if (!mtch[to] || Hungary(mtch[to])) { mtch[to] = k; ans[k] = to; return 1; } } } return 0; } int main() { read(n), read(m); for (int i = 1; i <= m; i++) { read(x), read(y); add(i, x); add(i, y); } for (int i = 1; i <= m; i++) { memset(vis, 0, sizeof(vis)); if (Hungary(i)) { tot++; } else break; } write(tot), et(); for (int i = 1; i <= tot; i++) { write(ans[i]), et(); } }
|