이진 트리 순회

이진 트리 순회 ?

주요 순회 방식

import java.util.*;

public class Main {
    public static void main(String[] args) {
        BinaryTree tree = new BinaryTree();

        // 노드 삽입
        tree.insert(50, null); // 루트 노드
        tree.insert(30, 50);   // 30은 50의 자식
        tree.insert(20, 30);   // 20은 30의 자식
        tree.insert(40, 30);   // 40은 30의 자식
        tree.insert(70, 50);   // 70은 50의 자식
        tree.insert(60, 70);   // 60은 70의 자식
        tree.insert(80, 70);   // 80은 70의 자식

        // 순회 결과 출력
        System.out.print("전위 순회: ");
        tree.preorder(tree.getRoot());
        System.out.println();

        System.out.print("중위 순회: ");
        tree.inorder(tree.getRoot());
        System.out.println();

        System.out.print("후위 순회: ");
        tree.postorder(tree.getRoot());
        System.out.println();
    }
}

class Node {
    int data;
    Node left, right;

    Node(int data) {
        this.data = data;
        this.left = this.right = null;
    }
}

class BinaryTree {
    private Node root; // 루트 노드
    private Map<Integer, Node> nodeMap; // 노드 관리용 Map

    BinaryTree() {
        nodeMap = new HashMap<>();
    }

    // 노드 삽입
    public void insert(int data, Integer parentData) {
        Node newNode = new Node(data); // 새로운 노드 생성
        nodeMap.put(data, newNode);    // Map에 노드 저장

        if (parentData == null) {
            // 루트 노드 설정
            root = newNode;
            return;
        }

        Node parentNode = nodeMap.get(parentData); // 부모 노드 참조
        if (parentNode.left == null) {
            parentNode.left = newNode; // 왼쪽 자식 설정
        } else {
            parentNode.right = newNode; // 오른쪽 자식 설정
        }
    }

    // 루트 노드 반환
    public Node getRoot() {
        return root;
    }

    // 전위 순회
    public void preorder(Node node) {
        if (node == null) return;
        System.out.print(node.data + " "); // 루트 방문
        preorder(node.left);              // 왼쪽 서브트리
        preorder(node.right);             // 오른쪽 서브트리
    }

    // 중위 순회
    public void inorder(Node node) {
        if (node == null) return;
        inorder(node.left);               // 왼쪽 서브트리
        System.out.print(node.data + " "); // 루트 방문
        inorder(node.right);              // 오른쪽 서브트리
    }

    // 후위 순회
    public void postorder(Node node) {
        if (node == null) return;
        postorder(node.left);             // 왼쪽 서브트리
        postorder(node.right);            // 오른쪽 서브트리
        System.out.print(node.data + " "); // 루트 방문
    }
}

문제: 트리 순회 (백준 1991)

문제 링크


알고리즘 [접근 방법]