我在为我试图弄清楚的自我项目实施 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 + "";
}