Posted onInComputer
,
CodingTestDisqus: Symbols count in article: 2.4kReading time ≈2 mins.
이분그래프
문제
그래프의 정점의 집합을 둘로 분할하여, 각 집합에 속한 정점끼리는 서로 인접하지 않도록 분할할 수 있을 때, 그러한 그래프를 특별히 이분 그래프 (Bipartite Graph) 라 부른다.
그래프가 입력으로 주어졌을 때, 이 그래프가 이분 그래프인지 아닌지 판별하는 프로그램을 작성하시오.
입력
입력은 여러 개의 테스트 케이스로 구성되어 있는데, 첫째 줄에 테스트 케이스의 개수 K(2≤K≤5)가 주어진다. 각 테스트 케이스의 첫째 줄에는 그래프의 정점의 개수 V(1≤V≤20,000)와 간선의 개수 E(1≤E≤200,000)가 빈 칸을 사이에 두고 순서대로 주어진다. 각 정점에는 1부터 V까지 차례로 번호가 붙어 있다. 이어서 둘째 줄부터 E개의 줄에 걸쳐 간선에 대한 정보가 주어지는데, 각 줄에 인접한 두 정점의 번호가 빈 칸을 사이에 두고 주어진다.
출력
K개의 줄에 걸쳐 입력으로 주어진 그래프가 이분 그래프이면 YES, 아니면 NO를 순서대로 출력한다.
for (int i = 0 ; i <= v; i ++) { adjList.add(new ArrayList<>()); colors[i] = 0; }
//무방향 그래프 값 삽입 for (int i = 0; i < e; i++) { int from = scan.nextInt(); int to = scan.nextInt(); adjList.get(from).add(to); adjList.get(to).add(from); }
//모든 정점의 길이만큼 수행. for (int i = 1; i <= v; i++) { if (!isBipartite) { // 이분그래프가 아니면 더 이상 루프를 돌 필요가 없으므로 Break break; } if (colors[i] == 0) { bfs(i, 1); //RED 1, GREEN -1 형식으로 분리 } } System.out.println(isBipartite ? "YES":"NO"); } }
/** * DFS **/ publicstaticvoiddfs(int v, int color){ colors[v] = color; for (Integer vertex : adjList.get(v)) { //시작정점과 인접 정점의 색이 같으면 이분 그래프가 아니므로 리턴 if (colors[vertex] == color) { isBipartite = false; return; } //해당 정점을 방문하지 않았으면 if (colors[vertex] == 0) { dfs(vertex, -color); } } } /** * BFS **/ publicstaticvoidbfs(int v, int color){ Queue<Integer> queue = new LinkedList<>(); colors[v] = color; queue.offer(v); int tmpColor = color; while (!queue.isEmpty()) { int dequeue = queue.poll(); color = colors[dequeue] == 1 ? -1 : 1; //RED 1, GREEN -1 형식으로 분리; for (Integer vertex : adjList.get(dequeue)) { //시작정점과 인접 정점의 색이 같으면 이분 그래프가 아니므로 리턴 if (colors[vertex] != 0 && colors[vertex] == colors[dequeue]) { isBipartite = false; return; } //해당 정점을 방문하지 않았을 경우 if (colors[vertex] == 0) { colors[vertex] = color; queue.offer(vertex); } } } } }