一个人的旅行
图论简单题目,操蛋的是节点编号不连续,当然不管乱搞也可以的
虽然草儿是个路痴(就是在杭电待了一年多,居然还会在校园里迷路的人,汗~),但是草儿仍然很喜欢旅行,因为在旅途中 会遇见很多人(白马王子,^0^),很多事,还能丰富自己的阅历,还可以看美丽的风景……草儿想去很多地方,她想要去东京铁塔看夜景,去威尼斯看电影,去阳明山上看海芋,去纽约纯粹看雪景,去巴黎喝咖啡写信,去北京探望孟姜女……眼看寒假就快到了,这么一大段时间,可不能浪费啊,一定要给自己好好的放个假,可是也不能荒废了训练啊,所以草儿决定在要在最短的时间去一个自己想去的地方!因为草儿的家在一个小镇上,没有火车经过,所以她只能去邻近的城市坐火车(好可怜啊~)。
Input
输入数据有多组,每组的第一行是三个整数T,S和D,表示有T条路,和草儿家相邻的城市的有S个,草儿想去的地方有D个;
接着有T行,每行有三个整数a,b,time,表示a,b城市之间的车程是time小时;(1=<(a,b)<=1000;a,b 之间可能有多条路)
接着的第T+1行有S个数,表示和草儿家相连的城市;
接着的第T+2行有D个数,表示草儿想去地方。
Output
输出草儿能去某个喜欢的城市的最短时间。
Sample Input
6 2 3
1 3 5
1 4 7
2 8 12
3 8 4
4 9 12
9 10 2
1 2
8 9 10
Sample Output
9
这个题目值得注意的地方只有一点,进行节点的映射的时候,要保证映射的完整性,草儿的出发城市和目的地在之前建立的途中可能根本没有出现过,所以出发点和目的地也要映射
#include <vector>
#include <map>
#include <cmath>
#include <cstdio>
#include <cctype>
#include <climits>
#include <cstring>
#include <cstdlib>
#include <iostream>
#include <algorithm>
using namespace std;
const int maxn = 100000;
const int INF = 0x3f3f3f3f;
int m,s,d;
map<int,int> mp;
struct Edge{
int to,w;
};
vector<Edge> G[maxn];
int dis[maxn];
bool vis[maxn];
int main()
{
while(scanf("%d%d%d" ,&m,&s,&d)!=EOF)
{
mp.clear();
for(int i=0;i<maxn;i++) G[i].clear();
int num = 1;
int from,to,w;
for(int i=0;i<m;i++)
{
scanf("%d%d%d" ,&from,&to,&w);
if(mp.count(from) == 0) { mp.insert(pair<int,int>(from,num)); num++; }
if(mp.count(to) == 0) { mp.insert(pair<int,int>(to,num)); num++; }
from = mp[from];
to = mp[to];
G[from].push_back((Edge){to,w} );
G[to].push_back( (Edge){from,w} );
}
memset(dis,INF,sizeof(dis));
for(int i=0;i<s;i++)
{
scanf("%d" ,&from);
// I made a mistake here
if(mp.count(from) == 0) { mp.insert(pair<int,int>(from,num)); num++; }
from = mp[from];
dis[from]=0;
}
memset(vis,0,sizeof(vis));
for(int i=1; i<=mp.size(); i++)
{
int Min = INF,index;
for(int j=1; j<=mp.size(); j++)
{
if(!vis[j] && dis[j]<=Min)
{
Min = dis[j]; index = j;
}
}
vis[index] = true;
for(int j=0; j<G[index].size(); j++)
{
Edge &e =G[index][j];
if(vis[e.to]) continue;
if(dis[e.to] > dis[index] + e.w)
{
dis[e.to] = dis[index] + e.w;
}
}
}
int ans = INF;
for(int i=0;i<d;i++)
{
scanf("%d" ,&to);
// I made a mistake here
if(mp.count(to) == 0) { mp.insert(pair<int,int>(to,num)); num++; }
to = mp[to];
ans = min( ans, dis[to]);
}
printf("%d\n" ,ans);
}
return 0;
}