문제링크
https://www.acmicpc.net/problem/9934
문제분석
- 높이가 k인 완전 이진트리 => 총 (2^k-1)개의 노드
- 이진 트리의 중위순회 결과(빌딩 번호)가 주어진다.
- 각 레벨에 있는 빌딩 번호는?
입력
- 완전 이진 트리의 깊이 K (1 ≤ K ≤ 10)
- 트리의 중위 순회 결과(상근이가 방문한 빌딩 번호들)
- 모든 빌딩의 번호는 중복되지 않으며, 구간 [1,2^k)에 포함된다.
출력
- 총 K개의 줄에 걸쳐서 정답을 출력한다. i번째 줄에는 레벨이 i인 빌딩의 번호를 출력한다. 출력은 왼쪽에서부터 오른쪽 순서대로 출력한다.
풀이
class Node{
int num;
Node leftChild;
Node rightChild;
}
- 높이가 k인 완전 이진 트리를 만든다.
- 만들어진 이진 트리를 중위 순회하며 다음 작업을 한다.
- 입력된 번호를 해당 노드에 저장한다.
- 해당 Level에 현재 node의 번호 저장
전체 코드
import java.util.*;
class Node{
int num;
Node leftChild;
Node rightChild;
public Node(Node leftChild, Node rightChild) {
this.leftChild = leftChild;
this.rightChild = rightChild;
}
}
public class Main {
static ArrayList<Integer>[] answer;
static int[] visit;
static int idx = 0;
static int nodeSize;
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int k = scanner.nextInt();
answer = new ArrayList[k];
for(int i=0; i<k; i++){
answer[i] = new ArrayList<>();
}
nodeSize = (int)Math.pow(2, k)-1;
visit = new int[nodeSize];
for(int i=0; i<nodeSize; i++) visit[i] = scanner.nextInt();
Node root = new Node(null, null);
Queue<Node> queue = new LinkedList<>();
queue.add(root);
for(int i=0; i<k-1; i++){
int queueSize = queue.size();
for(int j=0; j<queueSize; j++){
Node parent = queue.poll();
Node child1 = new Node(null, null);
Node child2 = new Node(null, null);
parent.leftChild = child1;
parent.rightChild = child2;
queue.offer(child1); queue.offer(child2);
}
}
inorder(root, 0);
for (ArrayList<Integer> levelNodes : answer) {
for (Integer levelNode : levelNodes) {
System.out.print(levelNode+" ");
}
System.out.println();
}
}
private static void inorder(Node node, int level) {
if (node.leftChild != null) {
inorder(node.leftChild, level+1);
}
node.num = visit[idx++];
answer[level].add(node.num);
if(node.rightChild!=null){
inorder(node.rightChild, level+1);
}
}
}