H?城是一个旅游胜地,每年都有成千上万的人前来观光。
为方便游客,巴士公司在各个旅游景点及宾馆,饭店等地都设置了巴士站并开通了一些单程巴士线路。
每条单程巴士线路从某个巴士站出发,依次途经若干个巴士站,最终到达终点巴士站。
一名旅客最近到?H?城旅游,他很想去?S?公园游玩,但如果从他所在的饭店没有一路巴士可以直接到达?S?公园,则他可能要先乘某一路巴士坐几站,再下来换乘同一站台的另一路巴士,这样换乘几次后到达?S?公园。
现在用整数?1,2,…N1 给?H?城的所有的巴士站编号,约定这名旅客所在饭店的巴士站编号为?11,S?公园巴士站的编号为?N。
写一个程序,帮助这名旅客寻找一个最优乘车方案,使他在从饭店乘车到?S?公园的过程中换乘的次数最少。
第一行有两个数字?M?和?N,表示开通了?M?条单程巴士线路,总共有?N?个车站。
从第二行到第?M+1 行依次给出了第?1?条到第?M?条巴士线路的信息,其中第?i+1 行给出的是第?i?条巴士线路的信息,从左至右按运行顺序依次给出了该线路上的所有站号,相邻两个站号之间用一个空格隔开。
共一行,如果无法乘巴士从饭店到达?S?公园,则输出?NO
,否则输出最少换乘次数,换乘次数为?0?表示不需换车即可到达。
1≤M≤100,
2≤N≤500
3 7
6 7
4 7 3 6
2 1 3 5
2
这道题的难点在于如何建图,这里提供一种建图的方式:
将同一路线上的点都建一条单向边,边权为一,然后计算出从起点到终点的最少乘车次数,乘车次数减1即使最终答案
#include<iostream>
#include<string>
#include<cstring>
#include<cmath>
#include<ctime>
#include<algorithm>
#include<utility>
#include<stack>
#include<queue>
#include<vector>
#include<set>
#include<math.h>
#include<map>
#include<sstream>
#include<deque>
#include<unordered_map>
using namespace std;
typedef pair<double, int > PDI;
const int N = 5e2 + 4, M = 2e5 + 5;
int m, n;
int h[N], e[M], ne[M], idx;
int stop[N];
int vis[N],d[N];
void add(int a, int b) {
e[idx] = b, ne[idx] = h[a], h[a] = idx++;
}
int bfs() {
queue<int>q;
memset(d, 0x3f, sizeof d);
d[1] = 0, q.push(1);
vis[1] = 1;
while (!q.empty()) {
int t = q.front();
q.pop();
for (int i = h[t]; i != -1; i = ne[i]) {
int j = e[i];
if (vis[j] || d[j] <= d[t] + 1)continue;
d[j] = d[t] + 1;
q.push(j);
vis[j] = 1;
}
}
return d[n];
}
int main() {
cin >> m >> n;
string line;
getline(cin, line);
memset(h, -1, sizeof h);
for (int i = 1; i <= m; i++) {
getline(cin, line);
stringstream ss(line);
int cnt = 0, p;
while (ss >> p)stop[cnt++] = p;
for (int j = 0; j < cnt; j++) {
for (int k = 0; k < j; k++) {
add(stop[k], stop[j]);
}
}
}
int ret = bfs();
if (ret == 0x3f3f3f3f)cout << "NO" << endl;
else cout << ret-1 << endl;
return 0;
}