大家好,我正在为我的图(邻接矩阵)制作函数,以使用广度优先搜索算法返回连接组件的数量。
它几乎可以正常工作。如果组件数等于顶点数,则返回正确的值,但如果组件数小于顶点数,则返回(正确值+1)。我不知道如何解决它,所以如果你能看看并告诉我,我会很高兴。这是代码的链接,它看起来比下面的代码更体面http://wklej.org/id/861341/
int Graph::getNumberOfConnectedComponents()
{
int components=0;
queue<int> S;
int n = getVerticesCount();//as name indicates it returns number of vertices in graph
bool* visited = new bool[n];
for(int i=1;i<n;i++)
visited[i]=false;
visited[0]=true;
S.push(0);
while(!S.empty())
{
int v = S.front();
S.pop();
list<int> x = getNeighbors(v);//as name indicates this function returns list of neighbours of given vertice
if(!x.empty())
{
list<int>::iterator it;
for (it=x.begin(); it!=x.end(); it++)
{
if(visited[*it]==false)
{
S.push(*it);
visited[*it]=true;
}
}
}
if(S.empty())
{
components++;
for(int i=1;i<n;i++)
{
if(visited[i]==false)
{
S.push(i);
visited[i]=true;
break;
}
}
}
}
return components;
}
我在评论中解释了这些功能的作用,希望你能帮助我:/。顺便说一句,如果您更改组件的位置++;并将其放入 if(visited[i]==false) 中,它为所有图提供了正确的值,除了那些组件数 = 顶点数的图(对于那些该值为“正确值-1”的图)。
@Edit 1,这里是这个函数 john
list<int> AdjacencyMatrixGraph::getNeighbors(int v)
{
list<int> x;
if(v==0||v>=n)
return x;
for(int j=0;j<n;j++)
{
if(matrix[v][j]!=0)
x.push_front(j);
}
return x;
}