Leetcode Java Unique Binary Search Trees II
업데이트:
문제
코드
/**
* 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 List<TreeNode> generateTrees(int n) {
return this.recursive(1, n);
}
private List<TreeNode> recursive(int start, int end) {
List<TreeNode> result = new ArrayList<>();
if (start > end) {
result.add(null);
}
for (int idx = start; idx <= end; idx++) {
for (TreeNode left : this.recursive(start, idx - 1)) {
for (TreeNode right : this.recursive(idx + 1, end)) {
result.add(new TreeNode(idx, left, right));
}
}
}
return result;
}
}
결과
설명
-
숫자 n이 주어지면 중복되지 않은 다양한 구성의 이진 트리를 생성하는 문제이다.
- 재귀호출을 통해 1부터 n까지 값을 가진 중복되지 않은 TreeNode들을 생성한다.
- 결과를 저장할 변수 result를 정의한다.
- start가 end보다 큰 경우 결과가 없으므로, result에 null을 넣어준다.
- 아래의 반복을 수행하여 중복되지 않은 TreeNode를 만들어 변수 result에 넣어준다.
- start 부터 end까지 반복한다.
- start 부터 $idx - 1$까지 재귀호출을 수행하여 left에 들어갈 TreeNode를 만들어 반복을 수행한다.
- $idx - 1$부터 end까지 재귀호출을 수행하여 right에 들어갈 TreeNode를 만들어 반복을 수행한다.
- 위의 세 반복을 통해 만들어진 idx, left, right를 이용하여 새 TreeNode를 result에 넣어준다.
- 반복이 완료되면 중복되지 않은 TreeNode를 넣은 변수 result를 주어진 문제의 결과로 반환한다.
소스
Sample Code는 여기에서 확인 가능합니다.
댓글남기기