본문 바로가기

Problem Solving/백준BOJ

[백준BOJ] 11725번 트리의 부모 찾기.java

728x90
반응형
SMALL

 

백준 저지에서 트리의 부모 찾기를 자바를 통해 풀어 보았다. 

 

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

 

11725번: 트리의 부모 찾기

루트 없는 트리가 주어진다. 이때, 트리의 루트를 1이라고 정했을 때, 각 노드의 부모를 구하는 프로그램을 작성하시오.

www.acmicpc.net

 

 

11725번 트리의 부모찾기

 

GitHub - tomy9729/Algorithm: 🐗 내가 직접 작성한 내 코드 🐗

🐗 내가 직접 작성한 내 코드 🐗. Contribute to tomy9729/Algorithm development by creating an account on GitHub.

github.com

 

 

11725번 트리의 부모 찾기

문제

루트 없는 트리가 주어진다. 이때, 트리의 루트를 1이라고 정했을 때, 각 노드의 부모를 구하는 프로그램을 작성하시오.

설명

bfs 또는 dfs를 통해 풀 수 있는 문제이다.

 

노드 정보를 통해 그래프를 만든다. 다음 bfs 또는 dfs를 통해 그래프를 탐색한다. 탐색을 통해 부모 노드를 배열에 저장한다.

코드

//11725번 트리의 부모 찾기.java
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;

public class 트리의_부모_찾기_11725 {
	static BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
    static StringTokenizer st;
    static StringBuilder sb = new StringBuilder();
    
	public static void main(String[] args) throws NumberFormatException, IOException {
		int N = Integer.parseInt(br.readLine());
		ArrayList<ArrayList<Integer>> graph = new ArrayList();
		for(int i=0;i<=N;i++) {
			graph.add(new ArrayList<Integer>());
		}
		
		for(int i=0;i<N-1;i++) {
			st = new StringTokenizer(br.readLine()," ");
			int a = Integer.parseInt(st.nextToken());
			int b = Integer.parseInt(st.nextToken());
			graph.get(a).add(b);
			graph.get(b).add(a);
		}
		
		boolean[] visit = new boolean[N+1];
		int[] arr = new int[N+1];
		arr = bfs(visit, graph, arr);
		
		for(int i=2;i<=N;i++) {
			System.out.println(arr[i]);
		}
	}
	
	static int[] bfs(boolean[] visit, ArrayList<ArrayList<Integer>> graph, int[] arr) {
		Queue<Integer> q = new LinkedList<Integer>();
		q.add(1);
		
		while(!q.isEmpty()) {
			int now = q.poll();
			visit[now]=true;
			for(int i=0;i<graph.get(now).size();i++) {
				int next = graph.get(now).get(i);
				if(visit[next]==false) {
					arr[next]=now;
					q.add(next);
				}
			}
		}
		return arr;
	}
}
728x90
반응형
SMALL