1. 程式人生 > >UVA 10766 Organising the Organisation(生成樹計數)

UVA 10766 Organising the Organisation(生成樹計數)

題目連結:
UVA 10766 Organising the Organisation
題意:
給出n,m,k,代表一家公司有n個人,編號從1n,且指定編號為k的人為總經理,然後有m組關係,表示a[i]不想和b[i]有領屬關係,求領屬關係圖的種類數?
資料範圍:
1n50,1mn,0k1500
分析:
我覺得k的範圍好像不大對,但是因為這道題實際上和k值無關,所以也就無關緊要了(?)
把關係圖看成一顆生成樹,其實把所有可以存在領屬關係的點看成可以連邊,那麼就是求生成樹的個數了。
需要知道每個點的度數和點與點能夠連邊。
我是先預設每個點的度數為n1,預設任意兩點可以

,然後對於每個不能連邊的a,b,將鄰接矩陣C[a][b]=C[b][a]=0,同時degree[a],degree[b].但是這道題有重邊啊,這樣子一來degree[a],degree[b]會多減了,所以需要先判斷C[a][b]是否為0,然後才決定是否degree[a],degree[b]

這道題還要用longdouble才能保證精度。。。
輸入輸出可以使用cincout

#include <iostream>
#include <cstdio>
#include <cstring>
#include <string>
#include <algorithm> #include <climits> #include <cmath> #include <ctime> #include <cassert> #include <iomanip> #define IOS ios_base::sync_with_stdio(0); cin.tie(0); using namespace std; typedef long long ll; const int MAX_N = 110; const double eps = 1e-8; int degree[MAX_N]; long
double C[MAX_N][MAX_N]; int sgn(long double x) { if(fabs(x) < eps) return 0; else if(x > 0) return 1; else return -1; } long double det(long double mat[][MAX_N], int n) { long double res = 1.0; int cnt = 0; for(int i = 0; i < n; ++i) { if(sgn(mat[i][i]) == 0) { for(int j = i + 1; j < n; ++j) { if(sgn(mat[j][i] != 0)) { for(int k = i; k < n; ++k) { swap(mat[i][k], mat[j][k]); } cnt++; break; } } } if(sgn(mat[i][i]) == 0) return 0; res *= mat[i][i]; for(int j = i + 1; j < n; ++j) { mat[j][i] /= mat[i][i]; } for(int j = i + 1; j < n; ++j) { for(int k = i + 1; k < n; ++k) { mat[j][k] -= mat[j][i] * mat[i][k]; } } } if(cnt & 1) res = -res; return res; } int main() { int n, m, k; while(cin >> n >> m >> k) { memset(degree, 0, sizeof(degree)); memset(C, 0, sizeof(C)); for(int i = 0; i < n; ++i) { degree[i] = n - 1; //預設每個點的入度為n - 1 for (int j = 0; j < n; ++j) { //先預設任意兩點可以建邊 C[i][j] = -1; } } for(int i = 0; i < m; ++i) { int a, b; cin >> a >> b; a--, b--; if(sgn(C[a][b]) == 0) continue; //會有重邊啊!!! C[a][b] = C[b][a] = 0; //不能建邊 degree[a]--, degree[b]--; } for(int i = 0; i < n; ++i) { C[i][i] = degree[i]; } cout << fixed << setprecision(0) << det(C, n - 1) << endl; } return 0; }