1. 程式人生 > >1147.斐波拉切數列——如何減少遞迴次數

1147.斐波拉切數列——如何減少遞迴次數

題目:

Description
Fibonacci數列定義為(1,1,2,3,5,8,…..),即每個元素是前兩個元素的和。如果一個Fibonacci數與所有小於它的Fibonacci數互質,那麼稱之為Fibonacci質數。
現在要求你輸出前n個Fibonacci數
The Fibonacci Numbers {0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55 …} are defined by the recurrence:
F(0)=0
F(1)=1
F(i)=F(i-1)+F(i-2)
Write a program to calculate the Fibonacci Numbers.

Input
The first line of the input file contains a single integer T, the number of test cases. The following T lines,each contains an integer n ( 0 <= n <= 45 ), and you are expected to calculate Fn

Output
Output Fn on a separate line.

Sample Input
5
0
3
5
9
20

Sample Output
0
2
5
34
6765

原始方法:

在斐波拉切數列中,如果直接使用這樣的遞迴式:

Fibonacci(n) = Fibonacci(n-1)+Fibonacci(n-2);

那麼需要的時間就很長。

改進:

通過遞迴樹發現,上面的遞迴式有很多重複的計算,所以我們可以使用一個數組用來存放已經算過的值,這樣就可以減少很多計算量。程式碼如下:

#include<stdio.h>
#include<string.h>
int b[100];//陣列b就是用來存放已經算過的數
int Fibonacci(int n)
{
    if(b[n]!=-1) return b[n];
    else
b[n] = Fibonacci(n-1)+Fibonacci(n-2); return b[n]; } int main() { int n,a[100]; scanf("%d",&n); memset(b,-1,sizeof(b)); b[0] = 0; b[1] = 1; for(int i=0;i<n;i++) { scanf("%d",&a[i]); } for(int i=0;i<n;i++) { printf("%d\n",Fibonacci(a[i])); } return 0; }