LeetCode C++ 1038. Binary Search Tree to Greater Sum Tree【二叉搜索树】中等
程序员文章站
2022-04-24 21:56:20
...
Given the root of a binary search tree with distinct values, modify it so that every node has a new value equal to the sum of the values of the original tree that are greater than or equal to node.val
.
As a reminder, a binary search tree is a tree that satisfies these constraints:
- The left subtree of a node contains only nodes with keys less than the node’s key.
- The right subtree of a node contains only nodes with keys greater than the node’s key.
- Both the left and right subtrees must also be binary search trees.
Example 1:
Input: [4,1,6,0,2,5,7,null,null,null,3,null,null,null,8]
Output: [30,36,21,36,35,26,15,null,null,null,33,null,null,null,8]
Constraints:
- The number of nodes in the tree is between
1
and100
. - Each node will have value between
0
and100
. - The given tree is a binary search tree.
题意:给出二叉搜索树的根节点,该二叉树的节点值各不相同,修改二叉树,使每个节点 node
的新值等于原树中大于或等于 node.val
的值之和。
思路1:我们需要以有序的形式从大到小遍历二叉搜索树,逐渐累加结点的值,赋给当前结点。下面的代码是递归中序遍历(左根右)的变形(右根左):
class Solution {
public:
int sum = 0;
TreeNode* bstToGst(TreeNode* root) {
if (root) {
bstToGst(root->right);
sum += root->val;
root->val = sum;
bstToGst(root->left);
}
return root;
}
};
思路2:非递归中序遍历。代码如下:
class Solution {
public:
TreeNode* bstToGst(TreeNode* root) {
stack<TreeNode*> st;
TreeNode *temp = root;
int sum = 0;
while (!st.empty() || temp) {
while (temp) {
st.push(temp);
temp = temp->right;
}
temp = st.top(); st.pop();
sum += temp->val;
temp->val = sum;
temp = temp->left;
}
return root;
}
};
思路3:非递归中序遍历,使用 stack
模拟系统栈的函数调用:
class Solution {
public:
struct command {
int instruction; //为0时下次访问结点,为1时下次遍历该结点代表的子树(相当于递归函数调用访问子树)
TreeNode *root;
command(int i = 0, TreeNode *rt = nullptr) : instruction(i), root(rt) { }
};
TreeNode* bstToGst(TreeNode* root) {
if (root == nullptr) return root;
stack<command> st;
st.push(command(1, root));
int sum = 0;
while (!st.empty()) {
const command temp = st.top(); st.pop();
if (temp.instruction == 0) { //访问结点
sum += temp.root->val;
temp.root->val = sum;
} else { //访问结点代表的子树(右-根-左)
TreeNode *t = temp.root;
if (t->left) st.push(command(1, t->left));
st.push(command(0, t));
if (t->right) st.push(command(1, t->right));
}
}
return root;
}
};
推荐阅读
-
【leetcode】-700. Search in a Binary Search Tree 查找二叉搜索树
-
LeetCode 235--二叉搜索树的最近公共祖先 ( Lowest Common Ancestor of a Binary Search Tree ) ( C语言版 )
-
LeetCode 235. Lowest Common Ancestor of a Binary Search Tree 二叉搜索树
-
leetcode 98. Validate Binary Search Tree(验证二叉搜索树)
-
LeetCode C++ 1038. Binary Search Tree to Greater Sum Tree【二叉搜索树】中等
-
【leetcode】-700. Search in a Binary Search Tree 查找二叉搜索树