Time Limit: 1000MS | Memory Limit: 10000K | |
Total Submissions: 26553 | Accepted: 7718 |
Description
Input
Output
Sample Input
100 7 1 101 1 2 1 2 2 2 3 2 3 3 1 1 3 2 3 1 1 5 5
Sample Output
3题意:
三类动物A、B、C构成食物链循环,告诉两个动物的关系(同类或天敌),判断那个关系是和前面已有的冲突。
分析:
并查集的高级应用。
假设father[A]=B ,rank[A]=0表示A与B同类;rank[A]=1 表示B可以吃A;rank[A]=2 表示A可以吃B。
对于一组数据 d x y,若x与y的根节点相同,利用(rank[y]-rank[x]+3)%3!=d-1若不相等说明为假话;
若x与y根节点不同,说明两者不在同一集合里,进行组合。让x的根fx成为y的根fy的父节点(father[fy]=fx),rank[fy]的值需要仔细归纳得出。
源代码如下:
#include <stdio.h> #include <memory.h> #define MAXN 50001 int father[MAXN],rank[MAXN]; void Init(int n) { int i; for(i=1;i<=n;i++) father[i]=i; memset(rank,0,sizeof(rank)); } int Find_Set(int x) { if(x!=father[x]) { int fx=Find_Set(father[x]); rank[x]=(rank[x]+rank[father[x]])%3; //注意 是rank[father[x]]而不是rank[fx] father[x]=fx; } return father[x]; } bool Union(int x,int y,int type) { int fx,fy; fx=Find_Set(x); fy=Find_Set(y); if(fx==fy) { if((rank[y]-rank[x]+3)%3!=type)return true; //这个关系可以通过举例得出 else return false; } father[fy]=fx; rank[fy]=(rank[x]-rank[y]+type+3)%3; // 与上式不同 需仔细归纳 return false; } int main() { freopen("in.txt","r",stdin); int n,k; int sum,i; int d,x,y; scanf("%d %d",&n,&k); //cin>>n>>k; Init(n); sum=0; for(i=0;i<k;i++) { scanf("%d %d %d",&d,&x,&y); //cin>>d>>x>>y; //用cin会超时 if(x>n || y>n ||(x==y && d==2)) sum++; else if(Union(x,y,d-1)) //传d-1 方便关系式的表达 sum++; } printf("%d\n",sum); return 0; }