题目连接:http://acm.hdu.edu.cn/showproblem.php?pid=2112
HDU Today
Time Limit: 15000/5000 MS (Java/Others) Memory Limit: 32768/32768 K (Java/Others)
Total Submission(s): 15727 Accepted Submission(s): 3693
Problem Description
经过锦囊相助,海东集团终于度过了危机,从此,HDU的发展就一直顺风顺水,到了2050年,集团已经相当规模了,据说进入了钱江肉丝经济开发区500强。这时候,XHD夫妇也退居了二线,并在风景秀美的诸暨市浬浦镇陶姚村买了个房子,开始安度晚年了。
这样住了一段时间,徐总对当地的交通还是不太了解。有时很郁闷,想去一个地方又不知道应该乘什么公交车,在什么地方转车,在什么地方下车(其实徐总自己有车,却一定要与民同乐,这就是徐总的性格)。
徐总经常会问蹩脚的英文问路:“Can you help me?”。看着他那迷茫而又无助的眼神,热心的你能帮帮他吗?
请帮助他用最短的时间到达目的地(假设每一路公交车都只在起点站和终点站停,而且随时都会开)。
Input
输入数据有多组,每组的第一行是公交车的总数N(0<=N<=10000);
第二行有徐总的所在地start,他的目的地end;
接着有n行,每行有站名s,站名e,以及从s到e的时间整数t(0<t<100)(每个地名是一个长度不超过30的字符串)。
note:一组数据中地名数不会超过150个。
如果N==-1,表示输入结束。
Output
如果徐总能到达目的地,输出最短的时间;否则,输出“-1”。
Sample Input
6 xiasha westlake xiasha station 60 xiasha ShoppingCenterofHangZhou 30 station westlake 20 ShoppingCenterofHangZhou supermarket 10 xiasha supermarket 50 supermarket westlake 10 -1
Sample Output
50 Hint: The best route is: xiasha->ShoppingCenterofHangZhou->supermarket->westlake 虽然偶尔会迷路,但是因为有了你的帮助 **和**从此还是过上了幸福的生活。 ――全剧终――
WA了13次把这道题A了
思路:如果把这道题的字符串处理一下,来一套模板就产不多了
但是要注意的地方比较多,(1)如果起始点和终点一样,那么输出0,
(2)C++提交
( 3 )可能会有重边,取时间最短的更新
我用的是dijkstra+优先队列 O(nlogn)
#include <iostream> #include <string.h> #include <string> #include <algorithm> #include <cstdio> #include <queue> #include <vector> #include <map> const int maxn=2200; const int INF=99999999; using namespace std; typedef pair<int ,int >P; struct edge { int to,cost; edge(){}; edge(int _to,int _cost) { to=_to; cost=_cost; } }; vector<edge>G[maxn]; int dist[maxn],len[maxn][maxn]; void dijkstra() { priority_queue<P,vector<P>,greater<P> >que; for(int i=0;i<maxn-10;i++)dist[i]=INF; dist[1]=0; que.push(P(0,1)); while(!que.empty()) { P p=que.top(); que.pop(); int v=p.second,d=p.first; for(int i=0;i<G[v].size();i++) { edge e=G[v][i]; int d2=e.cost+d; if(dist[e.to]>d2) { dist[e.to]=d2; que.push(P(dist[e.to],e.to)); } } } } void init() { for(int i=0;i<maxn-10;i++) for(int j=0;j<maxn-10;j++) len[i][j]=INF; for(int i=1;i<maxn-10;i++)G[i].clear(); } int main() { int n; map<string,int>mp; string s1,s2; while(scanf("%d",&n)!=EOF&&n!=-1) { mp.clear(); init(); cin>>s1>>s2; int ct=1; mp[s1]=1; if(!mp[s2])mp[s2]=++ct; for(int i=0;i<n;i++) { string a,b; int lenth; cin>>a>>b>>lenth; if(!mp[a])mp[a]=++ct; if(!mp[b])mp[b]=++ct; if(len[mp[a]][mp[b]]>lenth) { len[mp[a]][mp[b]]=lenth; len[mp[b]][mp[a]]=lenth; } G[mp[a]].push_back(edge(mp[b],len[mp[a]][mp[b]])); G[mp[b]].push_back(edge(mp[a],len[mp[a]][mp[b]])); } dijkstra(); if(dist[mp[s2]]==INF)printf("-1\n"); else printf("%d\n",dist[mp[s2]]); } return 0; }