Djikstra在java中使用邻接列表和优先级队列的算法

时间:2018-02-22 06:32:20

标签: java dijkstra

我无法理解为什么我的dijkstraShortestPath(int startVertex)函数无法正常工作。我正在关注我的项目的伪代码,但我不明白我做错了什么。

我的算法只显示了我的起点顶点的步行。

我也有DFS,但我不确定是否应该在我的dijkstraShortestPath方法中使用它,如果我这样做,我该如何实现它?

我认为我的问题出在" while循环"或者我正在初始化名为" pq"的优先级队列的方式。

链接到完整代码: https://www.dropbox.com/s/b848b9ts5lrfn01/Graph%20copy.java?dl=0

链接到伪代码: https://www.dropbox.com/s/tyia0sr3t9r8snf/Dijkstra%27s%20Algorithm%20%281%29.docx?dl=0

要求链接: https://www.dropbox.com/s/rq8km8rp4jvyxvp/Project%202%20Description-1%20%282%29.docx?dl=0

以下是我的Dijkstra算法的代码。

public void dijkstraShortestPaths(int startVertex) {
        // Initialize VARS and Arrays
        int count = 0, start = startVertex;
        int[] d;
        int[] parent;
        d = new int[nVertices];
        parent = new int[nVertices];
        DistNode u;

        // 10000 is MAX/Infinity
        for (int i = 0; i < nVertices; i++) {
            parent[i] = -1;
            d[i] = 10000;
        }

        // Initialize Start vertex distance to 0
        d[startVertex] = 0;

        // Setup Priotiry Queue
        PriorityQueue<DistNode> pq = new PriorityQueue<DistNode>();

        for(int i = 0; i < adjList[start].size(); i++){
            pq.add(new DistNode(adjList[start].get(i).destVertex, adjList[start].get(i).weight));

        }
        System.out.print(pq);

        //
        while (count < nVertices && !pq.isEmpty()) {
            // remove DistNode with d[u] value
            u = pq.remove();

            count++;
            System.out.println("\n\nu.vertex: " + u.vertex);
            // for each v in adjList[u] (adjacency list for vertex u)
            for(int i = 0; i < adjList[u.vertex].size();i++){
                // v
                int v = adjList[u.vertex].get(i).destVertex;
                System.out.println("v = " + v);
                // w(u,v)
                int vWt = adjList[u.vertex].get(i).weight;
                System.out.println("vWt = " + vWt + "\n");

                if((d[u.vertex] + vWt) < d[v]){
                    d[v] = d[u.vertex] + vWt;
                    parent[v] = u.vertex;
                    pq.add(new DistNode(v,d[v]));
                }   
            }            
        }
        printShortestPaths(start, d, parent);
    }

1 个答案:

答案 0 :(得分:0)

使用PriorityQueue的问题是优先级队列的内容与数组d的内容无关;声明:

pq.add(new DistNode(v,d[v]));

应使用顶点DistNode替换pq中的任何v,否则,您可能会多次访问同一个顶点。

我不确定PriorityQueue是否适合这项工作。