我正在努力为自我项目实现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 + "";
}
答案 0 :(得分:0)
public ShortestPath(int[][] adj)
您在这里传递的参数adj
正在影响您的adj
班级成员 - 您永远不会给班级成员一个值。一个简单的解决方法是将以下代码行放在上面的构造函数中的任何位置:
this.adj = adj;
有关详情,请参阅this。
另一个问题是:
return adj + "\n\n" + spTable + "";
您只能通过将数字添加到字符串中来打印数组中的值 - 这只会打印地址。
您需要使用双循环来打印数组中的值。有关详细信息,请参阅this question。