Common trees有以下幾種
- Full binary tree:每個節點都有零個或兩個子節點。
data:image/s3,"s3://crabby-images/6043f/6043f62ea457693277c1b6cabde8160fb26caf71" alt=""
- Perfect binary tree:每個內部節點都有兩個子節點,且深度相同。
data:image/s3,"s3://crabby-images/b8955/b895593fb57797ec3161f0b0ac27ff70a6663857" alt=""
- Complete binary tree:所有層級上的節點都必須填滿,除了最後一層級。在最後一層級上,所有節點都必須向左對齊。
data:image/s3,"s3://crabby-images/456b1/456b131b280c85b484c9e2a90254699777326ba2" alt=""
- Degenerate binary tree:樹長的像歪斜狀,每個節點都只有一個子節點。
data:image/s3,"s3://crabby-images/f67a9/f67a940a16799ad20bb76dc00b76f9092379dae4" alt=""
- Binary Search Tree:每個節點都包含一個鍵value,且所有左子樹的鍵value都小於父節點的鍵value,所有右子樹的鍵value都大於父節點的value,左子樹和右子樹也必須是binary search tree。
data:image/s3,"s3://crabby-images/350c7/350c762e9631554e19d1b4a67abd0beb7b04cbaa" alt=""
DFS是什麼?
DFS的中文是深度優先搜索算法,從樹的root節點開始,儘可能深地訪問每個子樹,一層一層的執行,而不是先訪問所有的相鄰節點。DFS有兩種主要實現方式:iteratively和recursively。
- iteratively的DFS實現方式使用stack。從root節點開始,將其放入stack到中,然後不斷從stack最上面取出節點,擴展其相鄰節點,並將其放入stack中。當stack為空時,就代表所有的節點都已經被訪問。
- recursively的DFS實現方式通過遞迴實現。從root節點開始,遞歸地訪問每個子節點,直到訪問完整棵樹。在遞迴過程中,將每個節點標記為已訪問,以避免重複訪問。
iteratively的code大概會長這樣
node=root
stack=[]
while stack or node:
if node:
#vist
if not node.left is None and node.right is None
stack.append(node)
node = node.left
else:
node = stack.pop()
node = node.right
recursively的code大概會長這樣
def recr(node):
if not node:
return
if node.left is None and node.right is None:
return
recr(node.left)
recr(node.right)
recursively不同的是把東西存在memory stack(等同iteratively的stack)
memory stack效能會比stack稍微差一些,沒控制好的話會爆掉,所以最好在一進入function時候設一個中止條件。
中止條件
if not node
return
dfs又分兩種寫法buttom-up和top-down ,buttom-up就是從最下一層往上推,推到最上面,慢慢組合想要的結果。top-down就是由上往下推,以下Leetcode題目會用buttom-up去做,因為看起來比較簡潔。
112. Path Sum
data:image/s3,"s3://crabby-images/70065/700658460ba2d945c2425ff5956bc80e5651bb99" alt=""
104. Maximum Depth of Binary Tree
data:image/s3,"s3://crabby-images/130de/130de7fab0eb5249bd28782cbe2a0f546b71a491" alt=""
簡化的版本
data:image/s3,"s3://crabby-images/dfbcf/dfbcf1c3708cd92420c72ae60c11614a3d1fb812" alt=""
257. Binary Tree Paths
data:image/s3,"s3://crabby-images/2109f/2109fb2a0fa340d35615b86837cc408359a81a40" alt=""
144. Binary Tree Preorder Traversal
data:image/s3,"s3://crabby-images/24ac3/24ac36cdcd0b276a38aa17c237a53d9b2cc3249b" alt=""
100. Same Tree
data:image/s3,"s3://crabby-images/2caa1/2caa16d77b2e5a659a27c7b44f55062ba94c2d6b" alt=""
700. Search in a Binary Search Tree
data:image/s3,"s3://crabby-images/578a3/578a360e7510da0f061d996d296aa17a95512230" alt=""