Question description
data:image/s3,"s3://crabby-images/b23f9/b23f9780b6c1b770863994867b30e019ea38b28b" alt=""
My code
public class Solution {
public int numTrees(int n) {
int[] calculated = new int[n + 1];
return helper(n, calculated);
}
public int helper(int n, int[] calculated) {
if (n == 0) {
calculated[0] = 1;
return 1;
}
if (n == 1) {
calculated[1] = 1;
return 1;
}
if (calculated[n] != 0) return calculated[n];
int ret = 0;
for (int i = 0; i < n; i++) {
ret += helper(i, calculated) * helper(n - i - 1, calculated);
}
calculated[n] = ret;
return ret;
}
}
Test result
data:image/s3,"s3://crabby-images/dd3d6/dd3d6df3ea8519e32e5f8b3c2b7a818d103d1dfc" alt=""
Solution
Use Catalan number. The formula is: h(n) = h(0)h(n-1)+h(1)h(n-2)+···+h(n-1)*h(0). (h(0) = 1, h(1) = 1)
However, when n is big (in LeetCode when n >= 19), the time performance is not acceptable. Thus, dynamic programming(DP) should be implemented. Use an array to record every calculated n. And when number i has to be calculated again, the program can directly get h(i) from calculated array.
网友评论