FZU 1852 Impossible Mission II

来源:互联网 发布:sql注入 or 1 1 编辑:程序博客网 时间:2024/06/05 16:47

题目链接:http://acm.fzu.edu.cn/problem.php?pid=1852

Problem Description

“活着,一定是没有意义的。但是活下去的话,说不定却能遇见有趣的东西。如你遇见这花,如我遇见你。” — 岸本齐史

ccQ毕业前找到了一个好工作,正准备和MM一起庆祝去旅游。但是MM还要求在到目的地之前,一定要先去逛一些她向往已久的城市。这时ccQ就烦恼了,不同城市之间火车票价不同,ccQ想知道如何设计安排合理的线路能顺利地到达目的地,并且能使得他们在到达目的地之前至少经过MM想去的所有的那些城市而使得总费用最少?ccQ为了使MM满意,请你帮他解决这个问题。

Input

输入有多组数据
每组数据第一行有4个整数,n,m,s,t(n <= 100,m <= n*(n-1)/2,0 <= s,t < n),分别表示总的城市数,城市间的线路数,ccQ他们出发时所在城市,以及ccQ他们所要到达的目的地城市。
接下来m行,每行有三个整数a,b,c,(0 <= a,b < n, c < 70000 )代表城市a和城市b之间有一条双向的铁路,票价为c。
有一个整数k(0 <= k <= 16),代表MM想去的城市数,
接下来k个数代表MM想去的城市。(这些城市不与起始城市与目的地城市重复)
Output

如果ccQ找不到合理的线路那么输出”ccQ is not a lucky boy!”(不包含引号) 否则输出能满足MM要求的线路的最小费用。
Sample Input

4 4 0 3
0 1 2
1 2 5
0 2 10
0 3 2
2
1 2
4 4 0 3
0 1 2
1 2 5
0 2 10
0 3 2
0
4 3 0 3
0 1 2
1 2 5
0 2 10
2
1 2
Sample Output

16
2
ccQ is not a lucky boy!

分析:floyd+状压dp

源代码:

#include<cstdio>#include<cstring>#include<map>#include<cmath>#include<algorithm>using namespace std;#define INF 0x3f3f3f3fconst int N=110;int mp[N][N];int dp[N][(1<<16)+7];int n,m,s,t;int goal[20];void Floyd(){    for(int k=0; k<n; k++)        for(int i=0; i<n; i++)            for(int j=0; j<n; j++)                mp[j][i]=mp[i][j]=min(mp[i][j],mp[i][k]+mp[k][j]);}int main(){    while(~scanf("%d%d%d%d",&n,&m,&s,&t))    {        for(int i=0; i<N; i++)            for(int j=0; j<N; j++)                mp[i][j]=i==j?0:INF;        for(int i=0; i<m; i++)        {            int u,v,w;            scanf("%d%d%d",&u,&v,&w);            mp[u][v]=mp[v][u]=w;        }        int k;        scanf("%d",&k);        for(int i=0; i<k; i++)        {            scanf("%d",&goal[i]);        }        Floyd();       if(k==0)       {           if(mp[s][t]==INF)           {               puts("ccQ is not a lucky boy!");           }           else printf("%d\n",mp[s][t]);           continue;       }        for(int i=0; i<k; i++)            for(int j=0; j<(1<<16)+7; j++)                dp[goal[i]][j]=INF;        for(int i=0; i<k; i++)        {            dp[goal[i]][1<<i]=mp[goal[i]][s];        }        int all=1<<k;        for(int i=0; i<all; i++)        {            for(int j=0; j<k; j++)                if(i&(1<<j))                {                    for(int l=0; l<k; l++)                    {                        if(!(i&(1<<l)))                        {                            int to=i+(1<<l);                            dp[goal[l]][to]=min(dp[goal[l]][to],dp[goal[j]][i]+mp[goal[j]][goal[l]]);                        }                    }                }        }        int ans=INF;        for(int i=0; i<k; i++)        {            ans=min(ans,dp[goal[i]][all-1]+mp[goal[i]][t]);        }        if(ans==INF)        {            puts("ccQ is not a lucky boy!");        }        else            printf("%d\n",ans);    }    return 0;}
0 0