103. 二叉树的锯齿形层序遍历
程序员文章站
2022-05-20 22:50:57
...
给定一个二叉树,返回其节点值的锯齿形层序遍历。(即先从左往右,再从右往左进行下一层遍历,以此类推,层与层之间交替进行)。
例如:
给定二叉树 [3,9,20,null,null,15,7],3
/ \
9 20
/ \
15 7
返回锯齿形层序遍历如下:[
[3],
[20,9],
[15,7]
]1.普通bfs
2.dfs是一个有意思的思路
1.bfs略
2.dfs
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def zigzagLevelOrder(self, root: TreeNode) -> List[List[int]]:
res=[]
def dfs(root,cnt):
if not root:return
if len(res)==cnt:
res.append([])
if cnt%2==0:
res[cnt].append(root.val)
else:
res[cnt].insert(0,root.val)
dfs(root.left,cnt+1)
dfs(root.right,cnt+1)
dfs(root,0)
return res
下一篇: 用canvas画一个钟表
推荐阅读