[LeetCode] 1448. Count Good Nodes in Binary Tree
Given a binary tree root
, a node X in the tree is named good if in the path from root to X there are no nodes with a value greater than X.
Return the number of good nodes in the binary tree.
Example 1:
Input: root = [3,1,4,3,null,1,5] Output: 4 Explanation: Nodes in blue are good. Root Node (3) is always a good node. Node 4 -> (3,4) is the maximum value in the path starting from the root. Node 5 -> (3,4,5) is the maximum value in the path Node 3 -> (3,1,3) is the maximum value in the path.
Example 2:
Input: root = [3,3,null,4,2] Output: 3 Explanation: Node 2 -> (3, 3, 2) is not good, because "3" is higher than it.
Example 3:
Input: root = [1] Output: 1 Explanation: Root is considered as good.
Constraints:
- The number of nodes in the binary tree is in the range
[1, 10^5]
. - Each node's value is between
[-10^4, 10^4]
.
统计二叉树中好节点的数目。
给你一棵根为 root
的二叉树,请你返回二叉树中好节点的数目。
「好节点」X 定义为:从根到该节点 X 所经过的节点中,没有任何节点的值大于 X 的值。
因为题目定义的路径是从根节点到叶子节点,所以思路天然是前序遍历。我们需要一个全局变量记录到底有多少节点是好节点。前序遍历的 helper 函数里也需要记录一个当前遇到的最大值 max,这样往子树递归的时候才知道当前路径上遇到的最大值是多少。
时间O(n)
空间O(n)
Java实现
1 /** 2 * Definition for a binary tree node. 3 * public class TreeNode { 4 * int val; 5 * TreeNode left; 6 * TreeNode right; 7 * TreeNode() {} 8 * TreeNode(int val) { this.val = val; } 9 * TreeNode(int val, TreeNode left, TreeNode right) { 10 * this.val = val; 11 * this.left = left; 12 * this.right = right; 13 * } 14 * } 15 */ 16 class Solution { 17 int res; 18 19 public int goodNodes(TreeNode root) { 20 res = 0; 21 helper(root, Integer.MIN_VALUE); 22 return res; 23 } 24 25 private void helper(TreeNode root, int max) { 26 if (root == null) { 27 return; 28 } 29 if (root.val >= max) { 30 max = Math.max(max, root.val); 31 res++; 32 } 33 helper(root.left, max); 34 helper(root.right, max); 35 } 36 }