怎样判断一个图是否为二分图?
很简单,用染色法,即从其中一个顶点开始,将跟它邻接的点染成与其不同的颜色,如果邻接的点有相同颜色的,则说明不是二分图,每次用bfs遍历即可。
#include <queue>
#include <cstring>
#include <iostream>
using namespace std;
const int N = 510;
int color[N], graph[N][N];
//0为白色,1为黑色
bool bfs(int s, int n) {
queue<int> q;
q.push(s);
color[s] = 1;
while(!q.empty()) {
int from = q.front();
q.pop();
for(int i = 1; i <= n; i++) {
if(graph[from][i] && color[i] == -1) {
q.push(i);
color[i] = !color[from];//染成不同的颜色
}
if(graph[from][i] && color[from] == color[i])//颜色有相同,则不是二分图
return false;
}
}
retur