https://leetcode.com/problems/delete-node-in-a-bst/
BST는 Binary Search Tree의 약자로, 트리를 이루는 어떤 노드에서라도 다음과 같은 특징을 지닌다.
위의 조건을 지키면서 BST에서 노드를 삭제하는 경우는 세 가지가 있다.
class Solution {
public TreeNode deleteNode(TreeNode root, int key) {
if(root == null) {
return null;
}
if(root.val == key) {
if(root.left == null && root.right == null){
root = null;
} else if(root.left == null) {
root = root.right;
} else if(root.right == null) {
root = root.left;
} else {
TreeNode min = root.right;
while(min.left != null) {
min = min.left;
}
root.val = min.val;
root.right = deleteNode(root.right, min.val);
}
} else if(root.val > key) {
root.left = deleteNode(root.left, key);
} else {
root.right = deleteNode(root.right, key);
}
return root;
}
}
https://leetcode.com/submissions/detail/590999825/
https://github.com/sorious77/LeetCode/blob/main/code/450.java