写一个函数,输入 n ,求斐波那契(Fibonacci)数列的第 n 项(即 F(N))。斐波那契数列的定义如下: F(0) = 0, F(1) = 1 F(N) = F(N - 1) + F(N - 2), 其中 N > 1.
题解1:递归
class Solution {
public:
map<int, int> cache;
int fib(int n) {
if (n == 0 || n == 1) {
return n;
}
if (cache.find(n) != cache.end()) {
return cache[n];
}
int res = (fib(n - 1) + fib(n - 2)) % 1000000007;
cache[n] = res;
return res;
}
};
题解2: 带dp 备忘录的动态规划
class Solution {
public:
int fib(int n) {
if (n == 0 || n == 1) {
return n;
}
if(n == 2) {
return 1;
}
vector<int> dp(n + 1, 0);
// base case
dp[1] = dp[2] = 1;
for (int i = 3; i < n + 1; i++) {
dp[i] = dp[i - 2] + dp[i - 1];
}
return dp[n];
}
};
tips: 1、使用递归时,需要缓存之前相加得到的结果 2、相加结果需要对 1000000007 取余操作, 防止结果爆掉。