POJ3660:Cow Contest(Floyd傳遞閉包)
Cow Contest
Time Limit: 1000MS | Memory Limit: 65536K | |
Total Submissions: 16941 | Accepted: 9447 |
題目鏈接:http://poj.org/problem?id=3660
Description:
N (1 ≤ N ≤ 100) cows, conveniently numbered 1..N, are participating in a programming contest. As we all know, some cows code better than others. Each cow has a certain constant skill rating that is unique among the competitors.
The contest is conducted in several head-to-head rounds, each between two cows. If cow A has a greater skill level than cow B (1 ≤ A ≤ N; 1 ≤ B ≤ N; A ≠ B), then cow A will always beat cow B.
Farmer John is trying to rank the cows by skill level. Given a list the results of M (1 ≤ M
Input:
* Line 1: Two space-separated integers: N and M
* Lines 2..M+1: Each line contains two space-separated integers that describe the competitors and results (the first integer, A
Output:
* Line 1: A single integer representing the number of cows whose ranks can be determined
Sample Input:
5 5 4 3 4 2 3 2 1 2 2 5
Sample Output:
2
題意:
有n個人,m場比賽,然後給出m場比賽的勝負關系,問有多少只牛能確定它們自己的名次。
題解:
這個題有點像拓撲排序,但是只用拓撲序並不能保證結果的正確性。
其實解這個題我們只需要發現這樣一個關系就好了,若一只牛的名次能夠被確定,那麽它贏它的牛和它贏的牛個數之和為n-1。
利用這個關系,我們floyd傳遞閉包預處理一下,然後判斷一下數量關系就好了。
代碼如下:
#include <cstdio> #include <cstring> #include <algorithm> #include <iostream> #include <queue> using namespace std; typedef long long ll; const int N = 105, M = 4505; int n,m; int mp[N][N]; int main(){ scanf("%d%d",&n,&m); for(int i=1;i<=m;i++){ int u,v; scanf("%d%d",&u,&v); mp[u][v]=1; } for(int k=1;k<=n;k++){ for(int i=1;i<=n;i++){ for(int j=1;j<=n;j++){ mp[i][j]=(mp[i][j]|(mp[i][k]&mp[k][j])); } } } int ans=0; for(int i=1;i<=n;i++){ int win=0,lose=0; for(int j=1;j<=n;j++){ if(mp[i][j]) win++; if(mp[j][i]) lose++; } if(win+lose==n-1) ans++; } cout<<ans; return 0; }
POJ3660:Cow Contest(Floyd傳遞閉包)