Article Categories
- All Categories
-
Data Structure
-
Networking
-
RDBMS
-
Operating System
-
Java
-
MS Excel
-
iOS
-
HTML
-
CSS
-
Android
-
Python
-
C Programming
-
C++
-
C#
-
MongoDB
-
MySQL
-
Javascript
-
PHP
Selected Reading
C++ Program to Check whether Graph is a Bipartite using DFS
A bipartite graph is a graph in which if the graph coloring is possible using two colors i.e.; vertices in a set are colored with the same color. This is a C++ program to Check whether a graph bipartite or not using DFS.
Algorithm
Begin 1. An array color[] is used to stores 0 or 1 for every node which denotes opposite colors. 2. Call function DFS from any node. 3. If the node w has not been visited previously, then assign ! color[v] to color[w] and call DFS again to visit nodes connected to w. 4. If at any instance, color[u] is equal to !color[v], then the node is bipartite. 5. Modify the DFS function End
Example
#include#include using namespace std; void addEd(vector adj[], int w, int v) //adding edge to the graph { adj[w].push_back(v); //add v to w’s list adj[v].push_back(w); //add w to v’s list } bool Bipartite(vector adj[], int v, vector & visited, vector & color) { for (int w : adj[v]) { // if vertex w is not explored before if (visited[w] == false) { // mark present vertex as visited visited[w] = true; color[w] = !color[v]; //mark color opposite to its parents if (!Bipartite(adj, w, visited, color)) return false; } // if two adjacent are colored with same color then the graph is not bipartite else if (color[w] == color[v]) return false; } return true; } int main() { int M = 6; vector adj[M + 1]; // to keep a check on whether // a node is discovered or not vector visited(M + 1); vector color(M + 1); //to color the vertices of the graph with 2 color addEd(adj, 3,2); addEd(adj, 1,4 ); addEd(adj, 2, 1); addEd(adj, 5,3); addEd(adj, 6,2); addEd(adj, 3,1); visited[1] = true; color[1] = 0; if (Bipartite(adj, 1, visited, color)) { cout Output
Graph is not Bipartite
Advertisements
