题目
给你一棵以 root 为根的 二叉树 ,请你返回 任意 二叉搜索子树的最大键值和。
二叉搜索树的定义如下:
任意节点的左子树中的键值都 小于 此节点的键值。
任意节点的右子树中的键值都 大于 此节点的键值。
任意节点的左子树和右子树都是二叉搜索树。
示例 1:
输入:root = [1,4,3,2,4,2,5,null,null,null,null,null,null,4,6]
输出:20
解释:键值为 3 的子树是和最大的二叉搜索树。
示例 2:
输入:root = [4,3,null,1,2]
输出:2
解释:键值为 2 的单节点子树是和最大的二叉搜索树。
示例 3:
输入:root = [-4,-2,-5]
输出:0
解释:所有节点键值都为负数,和最大的二叉搜索树为空。
示例 4:
输入:root = [2,1,3]
输出:6
示例 5:
输入:root = [5,4,8,3,null,6,3]
输出:7
题解
java
/**
* 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 {
private int ans;
public int maxSumBST(TreeNode root) {
dfs(root);
return ans;
}
private int[] dfs(TreeNode root) {
// root为空返回【正无穷,负无穷,第三个数(随意)】
if (root == null) {
return new int[]{Integer.MAX_VALUE,Integer.MIN_VALUE,0};
}
int[] left = dfs(root.left);
int[] right = dfs(root.right);
int x = root.val;
// 不是搜索树
if (x <= left[1] || x >= right[0]) {
return new int[]{Integer.MIN_VALUE,Integer.MAX_VALUE,0};
}
// 结点值的和
int sum = left[2] + right[2] + x;
ans = Math.max(ans, sum);
// 返回结点的范围
return new int[]{Math.min(left[0],x),Math.max(right[1],x),sum};
}
}