给定一个 nn 个点 mm 条边的有向图,图中可能存在重边和自环,所有边权均为非负值。
请你求出 11 号点到 nn 号点的最短距离,如果无法从 11 号点走到 nn 号点,则输出 −1−1。

输入格式

第一行包含整数 nn 和 mm。
接下来 mm 行每行包含三个整数 x,y,zx,y,z,表示存在一条从点 xx 到点 yy 的有向边,边长为 zz。

输出格式

输出一个整数,表示 11 号点到 nn 号点的最短距离。
如果路径不存在,则输出 −1−1。

数据范围

1≤n,m≤1.5×1051≤n,m≤1.5×105,
图中涉及边长均不小于 00,且不超过 1000010000。
数据保证:如果最短路存在,则最短路的长度不超过 109109。

输入样例:

3 3 1 2 2 2 3 1 1 3 4

输出样例:

3


  1. #include<iostream>
  2. #include<cstring>
  3. #include<queue>
  4. using namespace std;
  5. typedef pair<int,int> PII;
  6. const int N = 150010;
  7. int h[N],e[N],ne[N],w[N],idx;
  8. int dist[N];
  9. bool st[N];
  10. int n,m;
  11. void add(int a, int b, int c){
  12. e[idx] = b, w[idx] = c, ne[idx] = h[a], h[a] = idx++;
  13. }
  14. int dijkstra(){
  15. memset(dist,0x3f,sizeof dist);
  16. dist[1] = 0;
  17. priority_queue<PII,vector<PII>,greater<PII>> q;
  18. q.push({0,1});
  19. while(q.size()){
  20. auto t = q.top();
  21. q.pop();
  22. int ver = t.second, distance = t.first;
  23. if(st[ver]) continue;
  24. st[ver] = true;
  25. for(int i = h[ver]; i != -1; i = ne[i]){
  26. int j = e[i];
  27. if(dist[j] > distance + w[i]){
  28. dist[j] = distance + w[i];
  29. q.push({dist[j],j});
  30. }
  31. }
  32. }
  33. if(dist[n] == 0x3f3f3f3f) return -2;
  34. return dist[n];
  35. }
  36. int main(){
  37. cin >> n >>
  38. memset(h,-1,sizeof h);
  39. while(m--){
  40. int a,b,c;
  41. cin >> a >> b >> c;
  42. add(a,b,c);
  43. }
  44. int a = dijkstra();
  45. if(a == -2) cout << "-1" << endl;
  46. else cout << a << endl;m;
  47. return 0;
  48. }