题目:斐波那契数列
题目描述
大家都知道斐波那契数列,现在要求输入一个整数n,请你输出斐波那契数列的第n项(从0开始,第0项为0)。
n<=39
解题思路
要实现斐波那契数列,首先先要了解什么是斐波那契数列
0 ,1,1,2,3,5,8,13…这样的数列称为斐波那契数列
其计算公式:f(n) = f(n-1) + f(n-2)
参考代码
方法1(循环)
class Solution
{
public int Fibonacci(int n)
{
// write code here
int i = 0;
int first = 0;
int second = 1;
int temp = 0;
if(n == 0)
return 0;
else if(n == 1)
return 1;
else
{
for(i=2; i<=n; i++)
{
temp = first + second;
first = second;
second = temp;
}
return second;
}
}
}
方法2(递归不优化)
class Solution
{
public int Fibonacci(int n)
{
// write code here
if(n == 0)
return 0;
else if(n == 1)
return 1;
else
return Fibonacci(n-1) + Fibonacci(n-2);
}
}
方法3(递归优化)
把已经算过的值,保存起来下次直接使用,就明显减少了递归的次数。
class Solution
{
public int Fib(int first, int second, int n)
{
if (n == 0)
{
return 0;
}
else if (n == 1)
{
return 1;
}
else if (n == 2)
{
return first + second;
}
else
{
return Fib(second, first + second, n - 1);
}
}
public int Fibonacci(int n)
{
// write code here
return Fib(0,1,n);
}
}