-
Notifications
You must be signed in to change notification settings - Fork 12
/
Copy pathbipartite-h.cpp
95 lines (90 loc) · 1.7 KB
/
bipartite-h.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
//if it is possible to colour the vertices
// such that no two vertices have the same colour, then
// the graph is bipartite
//As we can place all the edges of same colour in one set and the remaining in another
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
enum colour {RED,BLUE,UNCOLOURED};
class graph{
public:
int nv,ne;
vector<int>* adjList;
graph(int n){
nv=n;
ne=0;
adjList=new vector<int> [nv+1];
}
void addEdge(int src,int dest){
adjList[src].push_back(dest);
ne++;
}
void printGraph(){
for(int i=0;i<nv;i++){
cout<<i<<" : ";
for(int j=0;j<adjList[i].size();j++){
cout<<adjList[i][j]<<" ";
}
cout<<"\n";
}
}
bool isBipartite(int src){
queue<int> q;
vector <colour> c(nv+1);
for(int i=0;i<nv;i++){
c[i]=UNCOLOURED;
}
q.push(src);
c[src]=RED;
while(!q.empty()){
int current=q.front();
colour currentColour=c[current];
q.pop();
for(int i=0;i<adjList[current].size();i++){
int child=adjList[current][i];
//is not coloured
if(c[child]==UNCOLOURED){
c[child]=currentColour==RED?BLUE:RED;
q.push(child);
}
else if(currentColour==c[child]){
//is already coloured and has the same colour as parent
//if child has black and has a back edge to the parent, parent will be of different colour
//so we won't return false in that case
//false only if the child and parent have different colour
return false;
}
}
}
return true;
}
};
int main(){
int nv,ne;
cin>>nv>>ne;
graph g(nv);
while(ne--){
int a,b;
cin>>a>>b;
g.addEdge(a,b);
}
//g.printGraph();
if(g.isBipartite(0)){
cout<<"Yes\n";
}
else{
cout<<"No\n";
}
}
/*
4 8
0 1
0 3
1 0
1 2
2 1
2 3
3 0
3 2
*/