这是我正在使用的dijkstra结构:(然而MAXV(最大顶点数最多为500,每次我尝试将其更改为超出此值时生成的内容并在运行时出错)
- 我想用这种方式来表示一个包含10000个顶点的图形,有人知道如何优化它吗?
#include<iostream>
#include<stdio.h>
#include<stdlib.h>
#include<conio.h>
using namespace std;
#define MAXV 500
#define MAXINT 99999
typedef struct{
int next;
int weight;
}edge;
typedef struct{
edge edges[MAXV][MAXV];
int nedges;
int nvertices;
int ndegree[MAXV];
}graph;
这是我的dijkstra代码:
int dijkstra(graph *g,int start,int end){
int distance[MAXV];
bool intree[MAXV];
for(int i=0;i<=MAXV;++i){
intree[i]=false;
distance[i]=MAXINT;
}
int v=start;
distance[v]=0;
while(intree[v]==false){
intree[v]=true;
for(int i=0;i<g->ndegree[v];++i){
int cand=g->edges[v][i].next;
int weight=g->edges[v][i].weight;
if(distance[cand] > distance[v]+weight){
distance[cand] = distance[v]+weight;
}
}
int dist=MAXINT;
for(int i=0;i<g->nvertices;++i){
if((intree[i]==false) && (dist > distance[i])){
dist=distance[i];
v=i;
}
}
}
return distance[end];
}
答案 0 :(得分:1)
使用adjacency lists存储图表。现在你正在使用adjacency matrix,这意味着你只为此分配MAXV*MAXV*sizeof(edge)
个字节。当MAXV
为10 000
时,这很多,所以你可能会遇到分段错误。切换到邻接列表将消除错误。
然而,即使使用邻接列表,您现在拥有的Dijkstra算法也是O(n^2)
,其中n
是节点数。对于10 000
个节点来说,这仍然很多。如果您必须支持这么多节点,请考虑实施Dijkstra with heaps(也是here)。