判断一个无向图是否为二分图

怎样判断一个图是否为二分图?

很简单,用染色法,即从其中一个顶点开始,将跟它邻接的点染成与其不同的颜色,如果邻接的点有相同颜色的,则说明不是二分图,每次用bfs遍历即可。

#include 
#include 
#include 
using namespace std;

const int N = 510;
int color[N], graph[N][N];

//0为白色,1为黑色 
bool bfs(int s, int n) {
    queue 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;
        }
    }
    return true;     
}

int main() {
    int n, m, a, b, i;
    memset(color, -1, sizeof(color));
    cin >> n >> m;
    for(i = 0; i < m; i++) {
        cin >> a >> b;
        graph[a][b] = graph[b][a] = 1; 
    }
    bool flag = false;
    for(i = 1; i <= n; i++)
        if(color[i] == -1 && !bfs(i, n)) {//遍历各个连通分支 
            flag = true;
            break;  
        }
    if(flag)
        cout << "NO" <



你可能感兴趣的:(算法模板,ACM)