美文网首页
7 - Medium - 二叉树的锯齿形层次遍历

7 - Medium - 二叉树的锯齿形层次遍历

作者: 1f872d1e3817 | 来源:发表于2018-06-21 16:01 被阅读0次

    给定一个二叉树,返回其节点值的锯齿形层次遍历。(即先从左往右,再从右往左进行下一层遍历,以此类推,层与层之间交替进行)。

    例如:
    给定二叉树 [3,9,20,null,null,15,7],

        3
       / \
      9  20
        /  \
       15   7
    

    返回锯齿形层次遍历如下:

    [
      [3],
      [20,9],
      [15,7]
    ]
    
    # Definition for a binary tree node.
    # class TreeNode(object):
    #     def __init__(self, x):
    #         self.val = x
    #         self.left = None
    #         self.right = None
    
    class Solution(object):
        def zigzagLevelOrder(self, root):
            res = []
            if root == None:
                return res
            q = [root]
            i = 0
            while len(q) != 0:
                temp = [node.val for node in q]
                res.append(temp if i % 2 == 0 else temp[::-1])
                new_q = []
                for node in q:
                    if node.left:
                        new_q.append(node.left)
                    if node.right:
                        new_q.append(node.right)
                q = new_q
                i += 1
            return res
    
    

    相关文章

      网友评论

          本文标题:7 - Medium - 二叉树的锯齿形层次遍历

          本文链接:https://www.haomeiwen.com/subject/yufcyftx.html