leetcode814. 二叉树剪枝
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/binary-tree-pruning
题目描述
给你二叉树的根结点 root ,此外树的每个结点的值要么是 0 ,要么是 1 。
返回移除了所有不包含 1 的子树的原二叉树。
节点 node 的子树为 node 本身加上所有 node 的后代。
示例1:
输入:root = [1,null,0,0,1]
输出:[1,null,0,null,1]
解释:
只有红色节点满足条件“所有不包含 1 的子树”。 右图为返回的答案。
示例2:
输入:root = [1,0,1,0,0,0,1]
输出:[1,null,1,null,1]
示例3:
输入:root = [1,1,0,1,1,0,1,0]
输出:[1,1,0,1,1,null,1]
提示:
树中节点的数目在范围 [1, 200] 内
Node.val 为 0 或 1
DFS 深度优先遍历
首先确定边界条件,当输入为空时,即可返回空。然后对左子树和右子树分别递归进行递归操作。递归完成后,当这三个条件:左子树为空,右子树为空,当前节点的值为 0,同时满足时,才表示以当前节点为根的原二叉树的所有节点都为 0,需要将这棵子树移除,返回空。有任一条件不满足时,当前节点不应该移除,返回当前节点。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public TreeNode pruneTree(TreeNode root) {
return process(root);
}
/**
* 深度优先遍历
* DFS
*/
public TreeNode process(TreeNode root ){
//base case 直接返回
if(root == null){
return null;
}
root.left = process(root.left);
root.right = process(root.right);
//当前为叶子节点时,且值为0 时,可以直接剪枝,返回null 就等于剪掉了
if(root.val == 0 && root.left == null && root.right == null){
return null ;
}
return root;
}
)
二叉树专题
leetcode257. 二叉树的所有路径
leetcode111. 二叉树的最小深度
leetcode2385. 感染二叉树需要的总时间
leetcode222. 完全二叉树的节点个数
leetcode199. 二叉树的右视图
leetcode–从二叉搜索树到更大和树文章来源:https://www.toymoban.com/news/detail-499219.html
根据前序和后序遍历构造二叉树文章来源地址https://www.toymoban.com/news/detail-499219.html
到了这里,关于leetcode814. 二叉树剪枝(java)的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!