250x250
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 즉시로딩
- SQL프로그래밍
- shared lock
- 백트래킹
- BOJ
- fetch
- execute
- 유니크제약조건
- 연결리스트
- 스토어드 프로시저
- FetchType
- CHECK OPTION
- dfs
- 비관적락
- 이진탐색
- PS
- 힙
- eager
- 다대일
- 스프링 폼
- 동적sql
- 다대다
- exclusive lock
- 데코레이터
- 낙관적락
- 지연로딩
- 연관관계
- 일대다
- querydsl
- JPQL
Archives
- Today
- Total
흰 스타렉스에서 내가 내리지
이진트리 - 전위/중위/후위 순회 재귀&스택 구현 본문
728x90
https://www.acmicpc.net/problem/1991
class Node:
def __init__(self, val, left=None, right=None):
self.val = val
self.left = left
self.right = right
def preorder(self, res=[]):
res.append(self.val)
if self.left is not None:
self.left.preorder(res)
if self.right is not None:
self.right.preorder(res)
return res
def inorder(self, res=[]):
if self.left is not None:
self.left.inorder(res)
res.append(self.val)
if self.right is not None:
self.right.inorder(res)
return res
def postorder(self, res=[]):
if self.left is not None:
self.left.postorder(res)
if self.right is not None:
self.right.postorder(res)
res.append(self.val)
return res
n = int(input())
root = None
chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
nodes = {char: Node(char) for char in chars}
for _ in range(n):
line = input()
a, b, c = line.split()
if b != '.':
nodes[a].left = nodes[b]
if c != '.':
nodes[a].right = nodes[c]
def preorder(root):
stack = [root]
res = ''
while stack:
node = stack.pop()
if node is None:
continue
res += node.val
stack.append(node.right)
stack.append(node.left)
return res
def inorder(root):
stack = [(root, False)]
res = ''
while stack:
node, visited = stack.pop()
if node is None:
continue
if visited:
res += node.val
else:
stack.append((node.right, False))
stack.append((node, True))
stack.append((node.left, False))
return res
def postorder(root):
stack = [(root, False)]
res = ''
while stack:
node, visited = stack.pop()
if node is None:
continue
if visited:
res += node.val
else:
stack.append((node, True))
stack.append((node.right, False))
stack.append((node.left, False))
return res
print(preorder(nodes['A']))
# print(nodes['A'].preorder())
print(inorder(nodes['A']))
# print(nodes['A'].inorder())
print(postorder(nodes['A']))
# print(nodes['A'].postorder())
'Algorithm' 카테고리의 다른 글
[노트] 0-1 KnapSack Problem (0) | 2024.01.17 |
---|---|
효율적으로 거듭제곱 계산하기 (2) | 2024.01.05 |
그래프 알고리즘- union·find, mst - kruskal·prim, topology (0) | 2023.12.28 |
외판원 문제 (Traveling Salesman Problem, TSP) (0) | 2022.03.16 |
탐욕 알고리즘 (Greedy Algorithm) (0) | 2022.01.06 |