4

给定一组整数,找出可以从中构造出多少个唯一的二叉搜索树???

根据我的说法,答案取决于整数集的大小..如果集合整数的大小是 n..那么可以用它制作“n”个唯一的二叉搜索树..

我不确定答案..我是对的吗???

4

2 回答 2

2

This could be solved by using dynamic programming.

numTrees(i+1)=append the last node to the rightmost leaf of bst(i)[numTrees(i)] +
              append the last node as the root of bst(i)[numTrees(i)] +
              insert the last node as non-leaf node sum(k=1...i)(bst(k-1)*bst(i-k)

so it is o(n^2) solution.

public int numTrees(int n) {
    if(n == 0 || n == 1 || n == 2)
        return n;
    int bst[] = new int[n+1];
    bst[0] = 1;
    bst[1] = 1;
    bst[2] = 2;
    for (int i=3; i<=n; i++) {
        for (int j=1; j<i-1; j++) {
            bst[i] += bst[j]*bst[i-1-j];
        }
        bst[i] += 2*bst[i-1];
    }
    return bst[n];
}
于 2012-09-22T05:46:05.727 回答
1

数字是 C_n 其中 C_n 是第 n 个加泰罗尼亚数字。可以通过选择 n 个节点中的任何一个作为根,然后采用所有可能的方式组织根的左右子树来递归定义该值,从而导致以下递归关系:

C_n = sum_{i = 0}^{n - 1} C_i * C_{n - 1 - i},

其中 C_0 = 1。

于 2011-05-31T17:24:41.603 回答