```python
class Solution:
def levelOrder(self, root: Optional[TreeNode]) -> List[List[int]]:
if not root:
return []
cur, res = [root], [] # cur表示当前层未访问结点,res为结果
while cur:
lay, layval = [], [] # lay表示下一层该访问结点,layval表示当前层的数值列表
for node in cur: # 遍历当前层所有结点
layval.append(node.val)
if node.left: lay.append(node.left) # 添加左结点到下一层
if node.right: lay.append(node.right) # 添加右结点到下一层
cur = lay # 更新下一层
res.append(layval) # 更新结果集
return res
```
队列BFS
复制代码
```python
"""
# BFS模板
while queue 不空:
cur = queue.pop()
for 节点 in cur的所有相邻节点:
if 该节点有效且未访问过:
queue.push(该节点)
"""
class Solution:
def levelOrder(self, root: Optional[TreeNode]) -> List[List[int]]:
if not root:
return []
res = [] # 结果
q = deque() # 队列
q.append(root)
# q = deque([root]) # 直接赋值需要传入可迭代对象[]
while q:
vals = [] # 存当前层的值
for i in range(len(q)): # 遍历队列中(当前层)所有结点
cur = q.popleft()
vals.append(cur.val)
if cur.left: q.append(cur.left)
if cur.right: q.append(cur.right)
res.append(vals)
return res
```
DFS递归
复制代码
```python
class Solution:
def levelOrder(self, root: Optional[TreeNode]) -> List[List[int]]:
res = []
self.level(root, 0, res)
return res
def level(self, root: Optional[TreeNode], level: int, res: List[List[int]]):
if not root: return
if len(res) == level: res.append([]) # 一直向左遍历,新增层数对应的结果列表
res[level].append(root.val) # 当前结点加入当前层的结果里去
if root.left: self.level(root.left, level+1, res) # 递归遍历左子树
if root.right: self.level(root.right, level+1, res) # 递归遍历右子树
```
```python
# 简单递归
class Solution:
def preorder(self, root: 'Node') -> List[int]:
if not root: return
temp = []
for child in root.children:
temp += self.preorder(child)
return [root.val] + temp
# 常规递归
class Solution:
def preorder(self, root: 'Node') -> List[int]:
res = []
def dfs(cur):
if not cur: return
res.append(cur.val)
for child in cur.children: # 遍历每一个子结点
dfs(child)
dfs(root)
return res
```
迭代
复制代码
```python
class Solution:
def preorder(self, root: 'Node') -> List[int]:
if not root: return
res = []
s = [root]
while s:
cur = s.pop()
res.append(cur.val)
for child in cur.children[::-1]: # 从右往左添加进栈
s.append(child)
# s.extend(cur.children[::-1]) # 也可以直接拼接
return res
```