typedef struct ArcNode //边节点 { ArcType adjvex; //边的编号 struct ArcNode *next; //下一条边 int lowcost; //边权值 }ArcNode; typedef struct VNode //顶点信息 { VerTexType data; //顶点序号 char build[20]; //顶点名称 ArcNode* FirstArc; //顶点的关联的一条边 }VNode,AdjList; typedef struct { AdjList vertices[MVNum];//所有顶点 int vexnums; //总顶点数 int arcnums; //总边数 }ALGraph; 请基于以上结构体编写邻接表无向带权图实现弗洛伊德算法的代码
时间: 2023-08-02 11:05:56 浏览: 112
好的,我来基于以上结构体编写邻接表无向带权图实现弗洛伊德算法的代码。
假设 MVNum 定义为顶点的最大数量,INF 定义为无穷大,代码如下:
```c
#define MVNum 100
#define INF 0x3f3f3f3f
typedef int VerTexType;
typedef struct ArcNode //边节点
{
int adjvex; //与该边相连的顶点编号
struct ArcNode *next; //下一条边
int weight; //边权值
}ArcNode;
typedef struct VNode //顶点信息
{
VerTexType data; //顶点序号
char build[20]; //顶点名称
ArcNode* FirstArc; //顶点的关联的一条边
}VNode, AdjList;
typedef struct {
AdjList vertices[MVNum]; //所有顶点
int vexnums; //总顶点数
int arcnums; //总边数
}ALGraph;
//邻接表无向带权图实现弗洛伊德算法
void Floyd(ALGraph G, int dist[][MVNum])
{
int i, j, k;
//初始化距离矩阵
for (i = 0; i < G.vexnums; i++) {
for (j = 0; j < G.vexnums; j++) {
dist[i][j] = INF;
}
dist[i][i] = 0;
}
//构建距离矩阵
for (i = 0; i < G.vexnums; i++) {
ArcNode* p = G.vertices[i].FirstArc;
while (p) {
dist[i][p->adjvex] = p->weight;
p = p->next;
}
}
//计算最短路径
for (k = 0; k < G.vexnums; k++) {
for (i = 0; i < G.vexnums; i++) {
for (j = 0; j < G.vexnums; j++) {
if (dist[i][j] > dist[i][k] + dist[k][j]) {
dist[i][j] = dist[i][k] + dist[k][j];
}
}
}
}
}
```
以上代码中,用 dist 数组表示距离矩阵,其中 dist[i][j] 表示从顶点 i 到顶点 j 的最短距离。在计算距离矩阵时,先将 dist 数组中的所有元素初始化为 INF,然后遍历邻接表中的每条边,将边的权值存储到 dist 数组中对应的位置。最后,使用三重循环计算所有点对之间的最短距离,更新 dist 数组中的元素。
阅读全文