[두 갈래 나무 BST]!538. Convert BST to Greater Tree
Given a Binary Search Tree(BST),convert it to a Greater Tree such that every key of the original BST is changed to the original key plussum of all keys greater than the original key in BST. 두 갈래 검색 트리를 주고 각각node 값을 그것보다 큰 모든 값 값으로 바꿉니다.
Example:
Input: The root of a Binary Search Tree like this:
5
/ \
2 13
Output: The root of a Greater Tree like this:
18
/ \
20 13
BST는 원래 왼쪽이 있어요.
미시적으로 보면 BST의 각 노드는 왼쪽 노드보다 크고 오른쪽 노드보다 작다.거시적으로 BST의 각 노드는 왼쪽 트리의 각 노드보다 크고 오른쪽 트리의 각 노드보다 작다.
첫 번째 제출.add는 현재 마감된 누적 값입니다. 주의는 글로벌입니다.오른쪽에서 왼쪽으로add를 계산합니다.
class Solution {
int add = 0;
public TreeNode convertBST(TreeNode root) {
if(root == null){return null;}
if(root.right == null && root.left == null){ //
int t = add;
add = root.val + add;
root.val = root.val + t;
}else{
if(root.right != null){
root.right = convertBST(root.right); // 。
}
int t = add;
add = root.val + add; //+ value
root.val = root.val +t;
if(root.left != null){
root.left = convertBST(root.left); //+
}
}
return root;
}
}
2차 제출:
class Solution {
int add = 0;
public TreeNode convertBST(TreeNode root) {
if(root == null){return null;}
convertBST(root.right); // Right
root.val = root.val + add; //Root
add = root.val;
convertBST(root.left); //Left
return root;
}
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.