我正在实现一种算法来确定无向图是否是二分图。基于这个伪代码实现了我的实现,它适用于连接的图,但是当它断开连接时,程序只会指示错误的答案。我认为如果它没有连接,那么每个不相交的子图都需要一个循环。但我坚持这一点。如何解决我的代码以打印正确答案?
#include <cstdio>
#include <vector>
#include <queue>
#include <iostream>
using namespace std;
#define MAX 1000
int numberVertex, numberEdges;
int particion[MAX], visited[MAX];
vector< int > adjacencyMatrix[MAX];
bool bfs()
{
int i, origin, destination, begin;
queue< int > queueVertex;
begin = 0;
queueVertex.push(begin);
particion[begin] = 1; // 1 left,
visited[begin] = 1; // set adjacencyMatrixray
while(!queueVertex.empty())
{
origin = queueVertex.front(); queueVertex.pop();
for(i=0; i < adjacencyMatrix[origin].size(); i++)
{
destination = adjacencyMatrix[origin][i];
if(particion[origin] == particion[destination])
{
return false;
}
if(visited[destination] == 0)
{
visited[destination] = 1;
particion[destination] = 3 - particion[origin]; // alter 1 and 2 subsets
queueVertex.push(destination);
}
}
}
return true;
}
int main()
{
freopen("tarea2.in", "r", stdin);
int i,j, nodeOrigin, nodeDestination;
scanf("%d %d", &numberVertex, &numberEdges);
for(i=0; i<numberEdges; i++)
{
scanf("%d %d", &nodeOrigin, &nodeDestination);
adjacencyMatrix[nodeOrigin].push_back(nodeDestination);
adjacencyMatrix[nodeDestination].push_back(nodeOrigin);
}
if(bfs()) {
printf("Is bipartite\n");
for (j=0; j<numberVertex; j++){
cout<<j<<" "<<particion[j]<<endl;
}
}
else {printf("Is not bipartite\n");}
return 0;
}
例如对于这个输入
6 4
3 0
1 0
2 5
5 4
输出应该是:
Is bipartite
0 1
1 2
2 1
3 2
4 1
5 2
而是向我抛出输出:
0 1
1 2
2 0
3 2
4 0
5 0
发生这种情况是因为该图不是连通图,即具有两个连通分量。我希望您能帮助我,因为我已经被这个问题困扰了好几天了。