给出二叉 搜索 树的根节点,该树的节点值各不相同,请你将其转换为累加树(Greater Sum Tree),使每个节点 node 的新值等于原树中大于或等于 node.val 的值之和。
提醒一下,二叉搜索树满足下列约束条件:
节点的左子树仅包含键 小于 节点键的节点。
节点的右子树仅包含键 大于 节点键的节点。
左右子树也必须是二叉搜索树。
思路:
可以清楚的看出,这个过程是个从右往左的中序遍历的过程。使用一个lastsum变量记录pop出的节点值的累加和,lastsum初始化为0,然后让当前pop出的节点值+=lastsum。再更新lastsum。以此循环。
/**
* 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 convertBST(TreeNode root) {
int lastsum = 0;
LinkedList<TreeNode> stack = new LinkedList<>();
TreeNode p = root;
while(p!=null||!stack.isEmpty())
{
if(p!=null)
{
stack.push(p);
p = p.right;
}
else
{
TreeNode t = stack.pop();
lastsum+=t.val;
t.val = lastsum;
p = t.left;
}
}
return root;
}
}