题意:你手里有2n把不同的钥匙,这2n把钥匙被分为n对,每对由两个不同的钥匙组成.现在按顺序出现了M个门,每个门上有两个锁,你只需打开其中一个锁就可以打开这个门.现在你需要用你手里的钥匙去按顺序打开门,但是对于属于同一组的两把钥匙,如果你用了钥匙A,那么以后永远不能再用钥匙B了.问你按顺序最多能打开多少个门?
思路:2-SAT
#include<cstdio>
#include<iostream>
#include<vector>
#include<cstring>
using namespace std;
const int maxn = 10000+10;
struct TwoSAT
{
int n;
vector<int>G[maxn*2];
bool mark[maxn*2];
int S[maxn*2],c;
void init(int n)
{
this->n = n;
for (int i = 0;i<2*n;i++)
G[i].clear();
memset(mark,0,sizeof(mark));
}
void add_clause(int x,int xval,int y,int yval)
{
x = x*2+xval;
y = y*2+yval;
G[x].push_back(y);
// G[y^1].push_back(x);
}
bool dfs(int x)
{
if (mark[x^1])
return false;
if (mark[x])
return true;
mark[x]=true;
S[c++]=x;
for (int i = 0;i<G[x].size();i++)
if (!dfs(G[x][i]))
return false;
return true;
}
bool solve()
{
memset(mark,0,sizeof(mark));
for (int i = 0;i<2*n;i+=2)
{
if (!mark[i] && !mark[i+1])
{
c=0;
if (!dfs(i))
{
while (c>0)
mark[S[--c]]=false;
if (!dfs(i+1))
return false;
}
}
}
return true;
}
}TS;
int main()
{
int n,m;
while (scanf("%d%d",&n,&m)!=EOF && n)
{
TS.init(n*2);
for (int i = 1;i<=n;i++)
{
int a,b;
scanf("%d%d",&a,&b);
TS.add_clause(a,0,b,1);
TS.add_clause(b,0,a,1);
// TS.add_clause(a,1,b,0);
// TS.add_clause(b,1,a,0);
}
int i;
for (i = 0;i<m;i++)
{
int a,b;
scanf("%d%d",&a,&b);
TS.add_clause(a,1,b,0);
TS.add_clause(b,1,a,0);
if (!TS.solve())
break;
}
int ans = i;
for (i++;i<m;i++)
{
int a,b;
scanf("%d%d",&a,&b);
}
printf("%d\n",ans);
}
}