0

我在为我试图弄清楚的自我项目实施 Floyd-Warshall 算法时遇到了困难。我有一组测试数据,但是当我在ShortestPath创建后打印出来时,我只得到一个null和一个内存地址。不确定从这里开始使用该算法的确切位置。非常感谢任何帮助!

public static void main(String[] args) {
    int x = Integer.MAX_VALUE;
    int[][] adj = {{ 0, 3, 8, x, 4 },
                   { x, 0, x, 1, 7 },
                   { x, 4, 0, x, x },
                   { 2, x, 5, 0, x },
                   { x, x, x, 6, 0 }};
    ShortestPath sp = new ShortestPath(adj);
    System.out.println(sp);
}

public class ShortestPath {

private int[][] adj;
private int[][] spTable;
private int n;

public static void copy(int[][] a, int[][] b) {
    for (int i=0; i < a.length; i++)
        for (int j = 0; j < a[0].length; j++)
            a[i][j] = b[i][j];
}

public ShortestPath(int[][] adj) {
    n = adj.length;
    this.spTable = new int[n][n];
    copy(this.spTable, adj);

    for(int k = 0; k < n; k++) {
        for(int i = 0; i < n; i++){
            for(int j = 0; j < n; j++){
                if (spTable[i][k] + spTable[k][j] < spTable[i][j]) {
                    spTable[i][j] = spTable[i][k] + spTable[k][j];
                    adj[i][j] = adj[k][j];
                }
            }
        }
    }
}


@Override
public String toString() {
    return adj + "\n\n" + spTable + "";
}
4

1 回答 1

0
public ShortestPath(int[][] adj)

您在此处传递的参数adj会影响您的adj班级成员 - 您永远不会给班级成员一个值。一个简单的解决方法是将以下代码行放在上述构造函数中的任何位置:

this.adj = adj;

有关更多信息,请参阅


另一个问题在这里:

return adj + "\n\n" + spTable + "";

您不能通过仅将其添加到字符串来打印数组中的值 - 这只会打印地址。

您需要一个双循环来打印数组中的值。有关更多详细信息,请参阅此问题

于 2013-11-04T11:42:31.727 回答