受牛仰慕的牛(popular cows)
每头牛都有一个梦想:成为一个群体中最受欢迎的名牛!在一个有N(1<=N<=10,000)头牛的牛群中,给你M(1<=M<=50,000)个二元组(A,B),表示A认为B是受欢迎的。既然受欢迎是可传递的,那么如果A认为B受欢迎,B又认为C受欢迎,则A也会认为C是受欢迎的,哪怕这不是十分明确的规定。你的任务是计算被所有其它的牛都喜欢的牛的个数。
这道题直接考虑模拟是不行的,要考虑抽象模型。将仰慕关系建立成一个有向图,然后计算出强连通分量,缩点之后计算每个点的出度,如果有且只有一个点的出度为0,那么这头牛存在,否则不存在。
要注意的是,缩点之后输出答案的时候,输出的是这个点(强连通分量)所包含的点数。
这道题是老师拿给我练习强连通的练手题。在强连通的算法上可以看出我对细节的把握还是不纯熟。比如忘记赋值DFN和LOW数组,还有就是对题目的抽象模型的能力分析不熟,如果不是老师告诉我这是强连通的话我估计是没有办法知道这道题的正确解法的。
下附代码,同样不知道那时候的我在干什么。
1 #include <algorithm> 2 #include <iostream> 3 #include <fstream> 4 #include <cstring> 5 #include <cstdlib> 6 #include <cmath> 7 using namespace std; 8 ifstream fin("popular.in"); 9 ofstream fout("popular.out"); 10 struct ls 11 { 12 int nw; 13 int nxt; 14 }; 15 ls qxx[50001];//链式前向星 16 int cows=0,gx=0,bian=0,qlt=0,cs=0; 17 int qlts[10001]={0};//每个强连通分量包含的点数 18 int DFN[10001]={0},LOW[10001]={0},tou[10001]={0}; 19 int outs[10001]={0};//每个强连通分量的出度 20 int from[10001]={0};//每个点所属的强连通分量 21 bool rz[10001]={0};//每个点是否入栈 22 bool pd[10001][10001]={0};//两个强连通分量之间是否相通 23 int zhan[10001]={0},top=0; 24 void add(int fr,int to); 25 void add2(int fr,int to); 26 void tarjan(int nw); 27 int main(void) 28 { 29 fin>>cows>>gx; 30 int a=0,b=0; 31 memset(tou,-1,sizeof(tou)); 32 for(int i=1;i<=gx;i++) 33 { 34 fin>>a>>b; 35 add(a,b); 36 } 37 for(int i=1;i<=cows;i++) 38 { 39 if(!DFN[i])tarjan(i); 40 } 41 int v=0; 42 for(int i=1;i<=cows;i++) 43 { 44 for(int j=tou[i];j>0;j=qxx[j].nxt) 45 { 46 v=qxx[j].nw; 47 if(from[i]!=from[v]&&!pd[from[i]][from[v]])add2(from[i],from[v]); 48 } 49 } 50 int total=0,ans=0; 51 for(int i=1;i<=qlt;i++) 52 { 53 if(outs[i]==0) 54 { 55 total++; 56 ans+=qlts[i]; 57 } 58 } 59 if(total==1)fout<<ans; 60 else fout<<"0"; 61 return 0; 62 } 63 64 void add(int fr,int to) 65 { 66 bian++; 67 qxx[bian].nw=to; 68 qxx[bian].nxt=tou[fr]; 69 tou[fr]=bian; 70 } 71 72 void tarjan(int nw) 73 { 74 top++; 75 DFN[nw]=LOW[nw]=++cs; 76 zhan[top]=nw; 77 rz[nw]=true; 78 int v=0; 79 for(int i=tou[nw];i>0;i=qxx[i].nxt) 80 { 81 v=qxx[i].nw; 82 if(!DFN[v]) 83 { 84 tarjan(v); 85 LOW[nw]=min(LOW[v],LOW[nw]); 86 } 87 else 88 { 89 if(rz[v]==true) 90 { 91 LOW[nw]=min(LOW[nw],DFN[v]); 92 } 93 } 94 } 95 if(DFN[nw]==LOW[nw]) 96 { 97 qlt++; 98 do 99 { 100 v=zhan[top]; 101 from[v]=qlt; 102 qlts[qlt]++; 103 rz[v]=false; 104 top--; 105 }while(nw!=v); 106 } 107 return; 108 } 109 110 void add2(int fr,int to) 111 { 112 pd[fr][to]=true; 113 outs[fr]++; 114 return; 115 }
时间: 2024-10-11 07:14:34