题目链接:https://leetcode.com/problems/unique-binary-search-trees-ii/
Given an integer n, generate all structurally unique BST's (binary search trees) that store values 1 ... n.
Example:
Input: 3 Output: [ [1,null,3,2], [3,2,null,1], [3,1,null,null,2], [2,1,3], [1,null,2,null,3] ] Explanation: The above output corresponds to the 5 unique BST's shown below: 1 3 3 2 1 \ / / / \ \ 3 2 1 1 3 2 / / \ \ 2 1 2 3
思路:
1. 选出根结点后应该先分别求解该根的左右子树集合,也就是根的左子树有若干种,它们组成左子树集合,根的右子树有若干 种, 它们组成右子树集合。
2. 然后将左右子树相互配对,每一个左子树都与所有右子树匹配,每一个右子树都与所有的左子树匹配。然后将两个子树插在根 结点上。
3. 最后,把根结点放入list中。
比如有七个数1 2 3 4 5 6 7.
当4作为根节点时,它的左侧有1 2 3 可以组成的情况有5种(m种),
[1,null,3,2], [3,2,null,1], [3,1,null,null,2], [2,1,3], [1,null,2,null,3]
它的右侧5 6 7 可以组成的情况也有5种(n种)
[5,null,7,6], [7,6,null,5], [7,5,null,null,6], [6,5,7], [5,null,6,null,7]
所以单一个节点4的组合情况就有m*n种。其他节点同理,注意一下边界情况的处理即可。
AC 2ms Java:
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public List<TreeNode> generateTrees(int n) {
if(n==0)
return new ArrayList<TreeNode>();
return helper(1,n);
}
public List<TreeNode> helper(int start,int end){
List<TreeNode> list=new ArrayList();
if(start>end){
list.add(null);
return list;
}
for(int i=start;i<=end;i++){
List<TreeNode> left=helper(start,i-1);
List<TreeNode> right=helper(i+1,end);
for(TreeNode l:left){
for(TreeNode r:right){
TreeNode root=new TreeNode(i);
root.left=l;
root.right=r;
list.add(root);
}
}
}
return list;
}
}