hello-algo/codes/python/chapter_tree/binary_tree_dfs.py

66 lines
1.5 KiB
Python
Raw Normal View History

"""
File: binary_tree_dfs.py
2022-12-27 18:34:12 +08:00
Created Time: 2022-12-20
Author: a16su (lpluls001@gmail.com)
"""
import sys
from pathlib import Path
2023-04-09 05:05:35 +08:00
sys.path.append(str(Path(__file__).parent.parent))
from modules import TreeNode, list_to_tree, print_tree
2023-04-09 05:05:35 +08:00
2023-07-24 22:34:05 +08:00
def pre_order(root: TreeNode | None):
2023-04-09 05:05:35 +08:00
"""前序遍历"""
if root is None:
return
# 访问优先级:根节点 -> 左子树 -> 右子树
2022-12-27 19:33:58 +08:00
res.append(root.val)
2022-12-27 18:34:12 +08:00
pre_order(root=root.left)
pre_order(root=root.right)
2023-04-09 05:05:35 +08:00
2023-07-24 22:34:05 +08:00
def in_order(root: TreeNode | None):
2023-04-09 05:05:35 +08:00
"""中序遍历"""
if root is None:
return
# 访问优先级:左子树 -> 根节点 -> 右子树
2022-12-27 18:34:12 +08:00
in_order(root=root.left)
2022-12-27 19:33:58 +08:00
res.append(root.val)
2022-12-27 18:34:12 +08:00
in_order(root=root.right)
2023-04-09 05:05:35 +08:00
2023-07-24 22:34:05 +08:00
def post_order(root: TreeNode | None):
2023-04-09 05:05:35 +08:00
"""后序遍历"""
if root is None:
return
# 访问优先级:左子树 -> 右子树 -> 根节点
2022-12-27 18:34:12 +08:00
post_order(root=root.left)
post_order(root=root.right)
2022-12-27 19:33:58 +08:00
res.append(root.val)
"""Driver Code"""
if __name__ == "__main__":
# 初始化二叉树
# 这里借助了一个从数组直接生成二叉树的函数
root = list_to_tree(arr=[1, 2, 3, 4, 5, 6, 7])
print("\n初始化二叉树\n")
print_tree(root)
# 前序遍历
res = []
2022-12-27 18:34:12 +08:00
pre_order(root)
print("\n前序遍历的节点打印序列 = ", res)
# 中序遍历
2022-12-27 19:33:58 +08:00
res.clear()
2022-12-27 18:34:12 +08:00
in_order(root)
print("\n中序遍历的节点打印序列 = ", res)
# 后序遍历
2022-12-27 19:33:58 +08:00
res.clear()
2022-12-27 18:34:12 +08:00
post_order(root)
print("\n后序遍历的节点打印序列 = ", res)