给你一个图,要求用最少的颜色染这个图,使得这个图任意直接相连的点颜色不一样!
思路:
典型的状压dp–图的染色问题!
令dp[s] 为染 s 这个状态图 最小的颜色数,其中 s 里 1代表要染色的 0 代表不需要染色!
那么显然dp[0] = 0
dp[s] = min{dp[s^s0] + 1}
其中s0是s 的子集并且 里面的1 在图中不直接相连!
判断 状态s 里面的1 是否不直接相连可以预处理!
找s 的子集 可以减1 进行&运算! (想一想就知道)
原文链接:https://blog.csdn.net/aozil_yang/article/details/52927568
#include <cstdio>
#include <cstring>
#include <algorithm>
#define min(a,b) (a) > (b) ? (b) : (a)
using namespace std;
const int maxn = 19;
typedef long long ll;
const ll mod = 1ll << 32;
const int inf = 0x3f3f3f3f;
int n;
char g[maxn][maxn];
bool ok[1 << maxn];
int dp[1<<maxn];
bool judge(int s){
for (int i = 0; i < n; ++i){
if (s & (1 << i)){
for (int j = 0; j < n; ++j){
if (i != j && (s & (1 << j))){
if (g[i][j] == '1') return false;
}
}
}
}
return true;
}
void init(){
memset(ok,0,sizeof ok);
for (int s = 0; s < (1 << n); ++s){
if (judge(s))ok[s] = 1;
}
}
int main(){
int T;
scanf("%d",&T);
while(T--){
scanf("%d",&n);
for (int i = 0; i < n; ++i) scanf("%s",g[i]);
init();
dp[0] = 0;
for (int s = 1; s < (1 << n); ++s){
dp[s] = inf;
for (int s0 = s; s0; s0 = (s0-1)&s){
if (ok[s0]) dp[s] = min(dp[s],dp[s^s0] + 1);
}
}
printf("%lld\n",dp[1<<n-1]);
}
return 0;
}
来源:CSDN
作者:H_ang
链接:https://blog.csdn.net/qq_21433411/article/details/104002896