zoukankan      html  css  js  c++  java
  • 【leetcode】1110. Delete Nodes And Return Forest

    题目如下:

    Given the root of a binary tree, each node in the tree has a distinct value.

    After deleting all nodes with a value in to_delete, we are left with a forest (a disjoint union of trees).

    Return the roots of the trees in the remaining forest.  You may return the result in any order.

    Example 1:

    Input: root = [1,2,3,4,5,6,7], to_delete = [3,5]
    Output: [[1,2,null,4],[6],[7]]
    

    Constraints:

    • The number of nodes in the given tree is at most 1000.
    • Each node has a distinct value between 1 and 1000.
    • to_delete.length <= 1000
    • to_delete contains distinct values between 1 and 1000.

    解题思路:从根节点开始,判断是否在to_delete,如果不在,把这个节点加入Output中,往左右子树方向继续遍历;如果在,把其左右子节点加入queue中;而后从queue中依次读取元素,并对其做与根节点一样的操作,直到queue为空位置。

    代码如下:

    # 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 recursive(self,node,queue,to_delete):
            if node.left != None and node.left.val in to_delete:
                queue.append(node.left)
                node.left = None
            if node.right != None and node.right.val in to_delete:
                queue.append(node.right)
                node.right = None
            if node.left != None:
                self.recursive(node.left,queue,to_delete)
            if node.right != None:
                self.recursive(node.right,queue,to_delete)
        def delNodes(self, root, to_delete):
            """
            :type root: TreeNode
            :type to_delete: List[int]
            :rtype: List[TreeNode]
            """
            if root == None:
                return []
            queue = [root]
            res = []
            while len(queue) > 0:
                node = queue.pop(0)
                if node.val not in to_delete:
                    res.append(node)
                    self.recursive(node,queue,to_delete)
                else:
                    if node.left != None:
                        queue.append(node.left)
                    if node.right != None:
                        queue.append(node.right)
    
            return res
            
  • 相关阅读:
    npm publish 失败可能的原因记录
    nodejs版实现properties后缀文件解析
    CSS 毛玻璃效果
    echarts markLine 辅助线非直线设置
    sql 数据类型 建表时如何选择数据类型
    用row_nuber 分页的存储过程
    错误描述:未能找到路径“C:/”的一部分
    设置VS2010默认以管理员权限启动
    通过做nopcommerce电商项目对EF的理解(一)
    获取多表联合查询的存储过程。
  • 原文地址:https://www.cnblogs.com/seyjs/p/11151661.html
Copyright © 2011-2022 走看看