검색 & 도 론785. 판단 이분 도 (20200716)
분석 하 다.
알고리즘 흐름:
(염색법) 우 리 는 한 노드 를 선택 하여 빨간색 으로 염색 하고 이 노드 부터 전체 무방 향 도 를 옮 겨 다 닌 다.
주의: 문제 에서 주어진 무방 향 그림 이 반드시 연결 되 는 것 은 아니 므 로 각 노드 가 염색 되 거나 답 이 False 로 확 정 될 때 까지 여러 번 옮 겨 다 녀 야 합 니 다.매번 옮 겨 다 닐 때마다 우 리 는 염색 되 지 않 은 노드 를 선택 하여 이 노드 와 직접 또는 간접 적 으로 연 결 된 모든 노드 를 염색 합 니 다.
DFS
class Solution {
private:
static constexpr int UNCOLORED = 0;
static constexpr int RED = 1;
static constexpr int GREEN = 2;
vector<int> color;
bool valid;
public:
void dfs(int node, int c, const vector<vector<int>>& graph) {
color[node] = c;
int cNei = (c == RED ? GREEN : RED);
for (int neighbor: graph[node]) {
if (color[neighbor] == UNCOLORED) {
dfs(neighbor, cNei, graph);
if (!valid) {
return;
}
}
else if (color[neighbor] != cNei) {
valid = false;
return;
}
}
}
bool isBipartite(vector<vector<int>>& graph) {
int n = graph.size();
valid = true;
color.assign(n, UNCOLORED);
for (int i = 0; i < n && valid; ++i) {
if (color[i] == UNCOLORED) {
dfs(i, RED, graph);
}
}
return valid;
}
};
// 2.
class Solution {
public:
// dfs,
bool dfs(vector<vector<int>>& graph, int now, int c, vector<int>& color) {
color[now] = c; //
c = -c; //
for (auto& adj : graph[now]) {
if (color[adj] == 0) {
//
if (!dfs(graph, adj, c, color))
return false;
} //
else if (color[adj] == color[now])
return false;
}
return true;
}
//
bool isBipartite(vector<vector<int>>& graph) {
int n = graph.size();
vector<int> color(n, 0);
// dfs
for (int i = 0; i < n; ++i) {
if (color[i] == 0 && !dfs(graph, i, 1, color))
return false;
}
return true;
}
};
BFS
class Solution {
private:
static constexpr int UNCOLORED = 0;
static constexpr int RED = 1;
static constexpr int GREEN = 2;
vector<int> color;
public:
bool isBipartite(vector<vector<int>>& graph) {
int n = graph.size();
vector<int> color(n, UNCOLORED);
for (int i = 0; i < n; ++i) { //
// ,
if (color[i] == UNCOLORED) {
queue<int> q;
q.push(i);
color[i] = RED;
// bfs
while (!q.empty()) {
int node = q.front();
int cNei = (color[node] == RED ? GREEN : RED);
q.pop();
for (int neighbor: graph[node]) {
if (color[neighbor] == UNCOLORED) {
q.push(neighbor);
color[neighbor] = cNei;
}
else if (color[neighbor] != cNei) {
return false;
}
}
}
}
}
return true;
}
};