LeetCode系列96—不同的二叉搜索树

题意

96. 不同的二叉搜索树

题解

方法一:动态规划

class Solution {
    
    
public:
    int numTrees(int n) {
    
    
        vector<int> G(n + 1, 0);
        G[0] = 1;
        G[1] = 1;

        for (int i = 2; i <= n; ++i) {
    
    
            for (int j = 1; j <= i; ++j) {
    
    
                G[i] += G[j - 1] * G[i - j];
            }
        }
        return G[n];
    }
};

方法二:数学

class Solution {
    
    
public:
    int numTrees(int n) {
    
    
        long long C = 1;
        for (int i = 0; i < n; ++i) {
    
    
            C = C * 2 * (2 * i + 1) / (i + 2);
        }
        return (int)C;
    }
};

参考

不同的二叉搜索树

猜你喜欢

转载自blog.csdn.net/younothings/article/details/120138678