Skip to content

Commit 1bbc579

Browse files
authored
Create 0095-unique-binary-search-trees-ii.js
1 parent b9f60c2 commit 1bbc579

File tree

1 file changed

+47
-0
lines changed

1 file changed

+47
-0
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,47 @@
1+
/**
2+
* Definition for a binary tree node.
3+
* function TreeNode(val, left, right) {
4+
* this.val = (val===undefined ? 0 : val)
5+
* this.left = (left===undefined ? null : left)
6+
* this.right = (right===undefined ? null : right)
7+
* }
8+
*/
9+
/**
10+
* Recursion
11+
* Time O(4^n) | Space O(n)
12+
* https://leetcode.com/problems/unique-binary-search-trees-ii/
13+
* @param {number} n
14+
* @return {TreeNode[]}
15+
*/
16+
var generateTrees = function(n) {
17+
18+
const dfs = (start, end) => {
19+
20+
const result = [];
21+
22+
if(start === end) {
23+
result.push(new TreeNode(start));
24+
return result;
25+
};
26+
if(start > end) {
27+
result.push(null);
28+
return result;
29+
};
30+
31+
for(let i = start; i < end + 1; i++) {
32+
const leftSubTrees = dfs(start, i - 1);
33+
const rightSubTrees = dfs(i + 1 , end);
34+
35+
leftSubTrees.forEach((leftSubTree) => {
36+
rightSubTrees.forEach((rightSubTree) => {
37+
const root = new TreeNode(i, leftSubTree, rightSubTree);
38+
result.push(root);
39+
});
40+
});
41+
}
42+
43+
return result;
44+
}
45+
46+
return dfs(1, n);
47+
};

0 commit comments

Comments
 (0)