Skip to content

Commit 10c1624

Browse files
authored
Create 0450-delete-node-in-a-bst.cpp
1 parent 42884bc commit 10c1624

File tree

1 file changed

+46
-0
lines changed

1 file changed

+46
-0
lines changed

cpp/0450-delete-node-in-a-bst.cpp

+46
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
/**
2+
* Definition for a binary tree node.
3+
* struct TreeNode {
4+
* int val;
5+
* TreeNode *left;
6+
* TreeNode *right;
7+
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
8+
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
9+
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
10+
* };
11+
*/
12+
13+
// Time: O(h)
14+
// Space: O(1)
15+
class Solution {
16+
public:
17+
TreeNode* deleteNode(TreeNode* root, int key) {
18+
if(root == nullptr) return root;
19+
20+
if(root->val > key) {
21+
root->left = deleteNode(root->left, key);
22+
}
23+
else if(root->val < key) {
24+
root->right = deleteNode(root->right, key);
25+
}
26+
27+
// perform deletion if root->val == key
28+
else {
29+
if(!root->left) return root->right;
30+
if(!root->right) return root->left;
31+
32+
// both left and right subtrees are not null
33+
// traverse the right subtree to find the minimum/leftmost value
34+
// (or) travel the left subtree to find the maximum/rightmost value
35+
TreeNode* temp = root->right;
36+
while(temp->left) {
37+
temp = temp->left;
38+
}
39+
root->val = temp->val;
40+
41+
root->right = deleteNode(root->right, temp->val);
42+
}
43+
44+
return root;
45+
}
46+
};

0 commit comments

Comments
 (0)