728x90
- Node와 Branch를 이용해서 사이클을 이루지 않도록 구성한 데이터 구조
- 이진트리 : 노드의 최대 Branch가 2인 트리
- 이진탐색트리(Binary Search Tree, BST) : 왼쪽 노드는 해당 노드보다 작은 값, 오른쪽 노드는 해당 노드보다 큰 값을 가진다.
- 전위 순회 : Root -> Left -> Right
- 중위 순회 : Left -> Root -> Right
- 후위 순회 : Left -> Right -> Root
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
|
class TreeNode {
int val;
TreeNode left;
TreeNode right;
TreeNode(int x) {
val = x;
}
}
public class Tree {
public void preOrder(TreeNode root) {
// 기저조건
if (root == null) {
return;
}
System.out.print(root.val + " ");
preOrder(root.left);
preOrder(root.right);
}
public void inOrder(TreeNode root) {
if (root == null) {
return;
}
inOrder(root.left);
System.out.print(root.val + " ");
inOrder(root.right);
}
public void postOrder(TreeNode root) {
if (root == null) {
return;
}
postOrder(root.left);
postOrder(root.right);
System.out.print(root.val + " ");
}
public static void main(String[] args) {
TreeNode root = new TreeNode(1);
root.left = new TreeNode(2);
root.right = new TreeNode(3);
root.left.left = new TreeNode(4);
root.left.right = new TreeNode(5);
root.right.left = new TreeNode(6);
root.right.right = new TreeNode(7);
Tree tree = new Tree();
System.out.println("Preorder traversal");
tree.preOrder(root);
System.out.println();
System.out.println("Inorder traversal");
tree.inOrder(root);
System.out.println();
System.out.println("Postorder traversal");
tree.postOrder(root);
System.out.println();
}
}
|
cs |
🎯 과제
1) 트리의 부모 찾기
https://www.acmicpc.net/problem/11725
2) 트리 순회
반응형
'CS > 자료구조_개념' 카테고리의 다른 글
[자료구조] : 연결리스트(Linked List, Double Linked List) (0) | 2021.05.09 |
---|---|
[자료구조] : 스택(선형) (0) | 2021.05.05 |
[자료구조] : 큐(선형), 힙 (0) | 2021.05.05 |
[자료구조] : 배열 (0) | 2021.05.05 |