给定一个 N 叉树,返回其节点值的前序遍历。
例如,给定一个 3叉树
:
返回其前序遍历: [1,3,5,6,2,4]
。
"""
# Definition for a Node.
class Node(object):
def __init__(self, val=None, children=None):
self.val = val
self.children = children
"""
class Solution(object):
def preorder(self, root):
"""
:type root: Node
:rtype: List[int]
"""
res=[]
def helper(root):
if not root:
return
res.append(root.val)
for node in root.children:
helper(node)
helper(root)
return res
执行结果:
通过
显示详情
执行用时 :48 ms, 在所有 Python 提交中击败了57.27%的用户
内存消耗 :15.7 MB, 在所有 Python 提交中击败了20.00%的用户