标签:路径 bool clear node gray 难度 too 最短路 dna
多组测试数据,第一行一个整数T,表示测试数据数量,1<=T<=5
每组测试数据有相同的结构构成:
每组数据第一行一个整数N,2<=N<=50。
之后有N行,每行N个字符,表示狼的变色矩阵,矩阵中只有‘Y’与‘N’两种字符,第i行第j列的字符就是colormap[i][j]。
每组数据一行输出,即最小代价,无解时输出-1。
3
3
NYN
YNY
NNN
8
NNNNNNNY
NNNNYYYY
YNNNNYYN
NNNNNYYY
YYYNNNNN
YNYNYNYN
NYNYNYNY
YYYYYYYN
6
NYYYYN
YNYYYN
YYNYYN
YYYNYN
YYYYNN
YYYYYN
1
0
-1
分析:这道题的关键是把题转换成最短路模型.把求从0变色为n-1所需最小代价看作从求0出发到n-1的带权最短路径,从顶点i到顶点j的权值为输入的领接矩阵
第i行中第j列前面所有的Y的数目.然后用迪杰特斯拉算法求最短路就可以了.
#include <algorithm> #include <cstdio> #include <cstring> #include <queue> #define INF 0x3f3f3f3f using namespace std; const int maxv=55; int vis[maxv]; int V; vector<int> g[maxv]; struct node { int num,dis; }; bool operator <(const node& n1,const node& n2) { return n1.dis<n2.dis; } int cost[maxv][maxv]; int d[maxv],dp[maxv]; void input() { char ch; char s[maxv]; scanf("%d",&V); memset(vis,0,sizeof(vis)); memset(dp,0,sizeof(d)); for(int i=0;i<V;i++) for(int j=0;j<V;j++) { cost[i][j]=(i==j)?0:INF; } for(int i=0;i<V;i++) { scanf("%s",s); for(int j=0;s[j]!=‘\0‘;j++) { ch=s[j]; if(ch==‘Y‘) { g[i].push_back(j); dp[j]=(j==0)?1:dp[j-1]+1; } else dp[j]=(j==0)?0:dp[j-1]; cost[i][j]=(j==0)?0:dp[j-1]; } } } int solve() { fill(d,d+V,INF); priority_queue<node> que; d[0]=0; que.push(node{0,0}); while(!que.empty()) { int x=que.top().num; que.pop(); for(int i=0;i<g[x].size();i++) { int u=x; int v=g[x][i]; if(d[v]>d[u]+cost[u][v]) { d[v]=d[u]+cost[u][v]; que.push(node{v,d[v]}); } } } return d[V-1]==INF?-1:d[V-1]; } int main() { int t; scanf("%d",&t); while(t--) { input(); printf("%d\n",solve()); for(int i=0;i<V;i++) g[i].clear(); } return 0; }
标签:路径 bool clear node gray 难度 too 最短路 dna
原文地址:http://www.cnblogs.com/onlyli/p/6915234.html