给定一个二叉树,返回所有从根节点到叶子节点的路径。
【深度优先遍历|LeetCode —— 257. 二叉树的所有路径(Python)】说明: 叶子节点是指没有子节点的节点。
示例:
文章图片
————————
解题思路:
(1)用变量string记录从根结点到当前结点经过的结点路径。
(2)从根结点开始遍历二叉树,遍历到某一个结点时,如果当前结点不是叶子结点,在变量string中记录当前结点的信息,接着分别遍历当前结点的左子结点和右子结点;
# Definition for a binary tree node.
# class TreeNode:
#def __init__(self, x):
#self.val = x
#self.left = None
#self.right = Noneclass Solution:
def __init__(self):
self.ans = []
def binaryTreePaths(self, root: TreeNode) -> List[str]:
def dfs(root,string):
if root:
string += str(root.val)
if not root.left and not root.right:# 当前结点为叶子结点
self.ans.append(string)
else:# 当前结点不是叶子结点
string += "->"
dfs(root.left,string)
dfs(root.right,string)
dfs(root,"")
return self.ans
算法需要遍历每一个结点,时间复杂度为O(n),空间复杂度最坏为O(n),最好为O(logn)。
推荐阅读
- LeetCode算法题|LeetCode —— 145. 二叉树的后序遍历【递归与迭代】(Python)
- 深度优先遍历|LeetCode —— 897. 递增顺序查找树(Python)
- 深度优先遍历|LeetCode —— 980. 不同路径 III(Python)
- LeetCode —— 532. 数组中的K-diff数对(Python)