用通俗的语言来描述的话,首先我们的目标是寻找从点i到点j的最短路径。从动态规划的角度看问题,我们需要为这个目标重新做一个诠释(这个诠释正是动态规划最富创造力的精华所在)。
public void floyd() {
int[][] dist=new int[vertex.length][vertex.length];
int[][] prev=new int[vertex.length][vertex.length];
for(int i=0;i<vertex.length;i++) {
for(int j=0;j<vertex.length;j++) {
dist[i][j]=getWeight(i, j);
prev[i][j]=j;
}
}
for(int k=0;k<vertex.length;k++) {
for(int i=0;i<vertex.length;i++) {
for(int j=0;j<vertex.length;j++) {
int tmp = (dist[i][k]==INF || dist[k][j]==INF) ? INF : (dist[i][k] + dist[k][j]);
if (dist[i][j] > tmp) {
dist[i][j] = tmp;
prev[i][j] = prev[i][k];
}
}
}
}
System.out.printf("floyd: \n");
for (int i = 0; i < vertex.length; i++) {
for (int j = 0; j < vertex.length; j++)
System.out.printf("%2d ", dist[i][j]);
System.out.printf("\n");
}
}
data:image/s3,"s3://crabby-images/62cd9/62cd9bd82338f9385086706e1a1c39aed5c59e34" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/c7e45/c7e455ca9319a919ff2244dd93a923f0db7fc0a1" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/abaff/abaffb4b76e88e84c2badd52b6705247352142bf" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/07e0b/07e0b31d33033b1d6f89fdef92f862cb3855d8ad" alt="在这里插入图片描述"
|