poj-1659-Frogs Neighborhood-(图论-是否可图)

poj-1659-Frogs Neighborhood-(图论-是否可图)

Frogs' Neighborhood
Time Limit: 5000MS   Memory Limit: 10000K
Total Submissions: 10018   Accepted: 4189   Special Judge

Description

未名湖附近共有N个大小湖泊L1L2, ..., Ln(其中包括未名湖),每个湖泊Li里住着一只青蛙Fi(1 ≤ i ≤ N)。如果湖泊LiLj之间有水路相连,则青蛙FiFj互称为邻居。现在已知每只青蛙的邻居数目x1x2, ..., xn,请你给出每两个湖泊之间的相连关系。

Input

第一行是测试数据的组数T(0 ≤ T ≤ 20)。每组数据包括两行,第一行是整数N(2 < N < 10),第二行是N个整数,x1x2,..., xn(0 ≤ xi ≤ N)。

Output

对输入的每组测试数据,如果不存在可能的相连关系,输出"NO"。否则输出"YES",并用N×N的矩阵表示湖泊间的相邻关系,即如果湖泊i与湖泊j之间有水路相连,则第i行的第j个数字为1,否则为0。每两个数字之间输出一个空格。如果存在多种可能,只需给出一种符合条件的情形。相邻两组测试数据之间输出一个空行。

Sample Input

3
7
4 3 1 5 4 2 1 
6
4 3 1 4 2 0 
6
2 3 1 1 2 1 

Sample Output

YES
0 1 0 1 1 0 1 
1 0 0 1 1 0 0 
0 0 0 1 0 0 0 
1 1 1 0 1 1 0 
1 1 0 1 0 1 0 
0 0 0 1 1 0 0 
1 0 0 0 0 0 0 

NO

YES
0 1 0 0 1 0 
1 0 0 1 1 0 
0 0 0 0 0 1 
0 1 0 0 0 0 
1 1 0 0 0 0 
0 0 1 0 0 0 

Source

1659 Accepted 432K 0MS G++ 1055B 2017-09-16 10:13:08

在看图论的知识,一个序列是否可图。

可图: 一个非负整数的序列如果可以成为某个无向图的度序列,则该序列是可图的。

具体的算法思路和code来自--

参考来自:http://blog.csdn.net/makenothing/article/details/41308903

#include <cstdio>  
#include <cstdlib>  
#include <cstring> 

const int MAXN = 12; 

struct Node{
	int d, p; 
};

Node nd[MAXN]; 
int mp[MAXN][MAXN]; 

int cmp(const void *a, const void *b){
	Node* aa = (Node *)a; 
	Node* bb = (Node *)b; 
	return (bb->d - aa->d); 
}

int main(){
	freopen("in.txt", "r", stdin);  

	int TC, n; 
	scanf("%d", &TC); 
	while(TC--){
		scanf("%d", &n); 
		for(int i=0; i<n; ++i){
			scanf("%d", &nd[i].d); 
			nd[i].p = i; 
		}
		bool flag = true; 
		memset(mp, 0, sizeof(mp)); 

		for(int i=0; i<n; ++i){
			qsort(nd + i, n - i, sizeof(nd[0]), cmp); 
			if(nd[i].d + i >= n){
				flag = false; 
			}
			if(!flag){ break; } 
			for(int j=i+1; j<=i+nd[i].d; ++j){
				--nd[j].d; 
				if(nd[j].d < 0){
					flag = false; 
					break; 
				}
				mp[ nd[i].p ][ nd[j].p ] =  mp[ nd[j].p ][ nd[i].p ] = 1; 
			}
		}
		if(flag){
			printf("YES
");
			for(int i=0; i<n; ++i){
				for(int j=0; j<n-1; ++j){
					printf("%d ", mp[i][j] );
				}
				printf("%d
", mp[i][n-1] );
			}
		}else{
			printf("NO
");
		}
		if(TC != 0){
			printf("
");
		}
	}
	return 0; 
}

  

原文地址:https://www.cnblogs.com/zhang-yd/p/7530426.html