백준 11266 Java

여사친아이린·2020년 8월 2일
0

문제

https://www.acmicpc.net/problem/11266

알고리즘 설명

단절점은 DFS 응용 문제이다.
DFS 탐색을 하면서 아래 2가지 경우로 단절점 여부를 판단해야 한다.
**1. 노드가 루트 노드일 경우**
  - 노드가 루트라면 자식이 2명 이상 있다면 무조건 단절 점이 된다.
        1
       / \ 
      2   3
      의 트리를 그려보면 바로 이해가 됨.
      
**2. 노드가 루트 노드가 아닐 경우 **
    - 내 자식이 갈 수 있는 노드의 최소 방문순서가 나의 방문순서보다 크다면
      나를 거치지 않고는, 나 이전에 방문된 노드를 갈 수 없다.
      --> 나는 단절점이다.
   -  내 자식이 갈 수 있는 노드의 최소방문 순서가 나의 방문순서보다 작다는 건
      나를 거치지 않고, 갈 수 있는 다른 route가 존재한다는 뜻이니까.
      --> 나는 단절점이 아니다.
    

참조 사이트 : https://www.crocus.co.kr/1164?category=209527

구현 코드

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.StringTokenizer;

public class Main {

	static int count;
	
	static ArrayList<Integer> [] list;
	
	static int [] index;
	static boolean [] vertax;
	
	static int answer;
	
	public static void main(String[] args) throws IOException {
		// TODO Auto-generated method stub

		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
		
		StringTokenizer	st = new StringTokenizer(br.readLine());
		
		int N = Integer.parseInt(st.nextToken());
		int E = Integer.parseInt(st.nextToken());

		list = new ArrayList [N+1];
		for (int i = 1; i<=N; i++) {
			list[i] = new ArrayList<Integer>();
		}
		
		for (int i = 1; i<=E; i++) {
			st = new StringTokenizer(br.readLine());
			int a = Integer.parseInt(st.nextToken());
			int b = Integer.parseInt(st.nextToken());
			list[a].add(b);
			list[b].add(a);			
		}
		
		index = new int [N+1];
		vertax = new boolean [N+1];
		count = 0;
		
		for (int i = 1; i<=N; i++) {
			if (index[i] == 0) {
				dfs(i, true);
			}
		}
		
		StringBuilder sb = new StringBuilder();
		answer = 0;
		
		for (int i = 1; i<=N; i++) {
			if (vertax[i]) {
				answer++;
				sb.append(i+ " ");
			}
		}
		
		System.out.println(answer);
		System.out.println(sb.toString()); 
		
		
	}

	private static int dfs(int node, boolean isRoot) {
		// TODO Auto-generated method stub
		index[node] = ++count;
		int ret = index[node];		
		int child = 0;
		
		for (int i = 0; i<list[node].size(); i++) {		
					
			if (index[list[node].get(i)] == 0) {
				child++;	
				int low = dfs(list[node].get(i),false);
				ret = Math.min(ret, low);
				
				// root node가 아니고, 자식들이 갈 수 있는 노드의 index 최소값이 나의 index 값 보다 크다면 단절점이다.
				if (!isRoot && low >= index[node]) {
					vertax[node] = true;
				}
				
			} else {
				// 자식 노드가 이미 방문을 했다면
				ret = Math.min(ret, index[list[node].get(i)]);
			}

		}

		
		// node가 root이고 자식수가 2개 이상이면 단절점이다.
		if (isRoot && child >=2) {
			vertax[node] = true;
		}
		
		return ret;
		
	}

}
profile
알고리즘 정리하는 용도로 사용

0개의 댓글