851. spfa求最短路(spfa算法模板)

給定一個n個點m條邊的有向圖,圖中可能存在重邊和自環, 邊權可能爲負數。java

請你求出1號點到n號點的最短距離,若是沒法從1號點走到n號點,則輸出impossible。算法

數據保證不存在負權迴路。數組

輸入格式

第一行包含整數n和m。優化

接下來m行每行包含三個整數x,y,z,表示存在一條從點x到點y的有向邊,邊長爲z。ui

輸出格式

輸出一個整數,表示1號點到n號點的最短距離。spa

若是路徑不存在,則輸出」impossible」。code

數據範圍

1n,m1051≤n,m≤105,
圖中涉及邊長絕對值均不超過10000。
xml

輸入樣例:

3 3
1 2 5
2 3 -3
1 3 4

輸出樣例:

2

對Bellman-ford算法的隊列優化

代碼:
//鄰接表存儲
//n=1e5,不能用鄰接表

import java.util.ArrayDeque;
import java.util.Arrays;
import java.util.Scanner;

public class Main{
        static final int N=100005, INF=0x3f3f3f3f;
        static int h[]=new int[N];
        static int e[]=new int[N];
        static int ne[]=new int[N];
        static int w[]=new int[N];
        static int dis[]=new int[N];
        static boolean vis[]=new boolean[N];
        static int n,m,idx;
        static void add(int a,int b,int c){
                e[idx]=b;
                w[idx]=c;
                ne[idx]=h[a];
                h[a]=idx++;
        }
        static int spfa(){
                ArrayDeque<Integer> q = new ArrayDeque<Integer>();
                Arrays.fill(dis, INF);
                dis[1]=0;
                q.offer(1);
                vis[1]=true;//vis數組表示當前點是否在隊列中
                while(!q.isEmpty()){
                        int t=q.poll();
                        vis[t]=false;//不在隊列中,置爲false
                        for(int i=h[t];i!=-1;i=ne[i]){
                                int j=e[i];
                                if(dis[j]>dis[t]+w[i]){
                                        dis[j]=dis[t]+w[i];
                                        if(!vis[j]){
                                                vis[j]=true;
                                                q.offer(j);
                                        }
                                }
                        }
                }
                if(dis[n]==INF) return -1;
                else return dis[n];
        }
        public static void main(String[] args) {
                Scanner scan=new Scanner(System.in);
                n=scan.nextInt();
                m=scan.nextInt();
                Arrays.fill(h, -1);
                while(m-->0){
                        int a=scan.nextInt();
                        int b=scan.nextInt();
                        int c=scan.nextInt();
                        add(a,b,c);
                }
                int t=spfa();
                if(t==-1) System.out.println("impossible");
                else System.out.println(t);
        }
}
相關文章
相關標籤/搜索