斐波那契数列求值。
//递推法
class Solution {
public:
int fib(int N) {
int pre_pre = 0;
int pre = 1;
if(N == 0) return 0;
if(N == 1) return 1;
int new_val;
for(int i=2;i<=N;i++)
{
new_val = pre_pre + pre;
pre_pre = pre;
pre = new_val;
}
return new_val;
}
};
//递归法
class Solution {
public:
int fib(int N) {
if(N == 0) return 0;
if(N == 1) return 1;
return fib(N - 1) + fib(N - 2);
}
};
原文:https://www.cnblogs.com/MartinLwx/p/13579530.html