TheAlgorithms-C-Plus-Plus/dynamic_programming/fibonacci_top_down.cpp

26 lines
463 B
C++
Raw Normal View History

2020-04-18 10:43:43 +08:00
#include <iostream>
2016-11-25 21:06:34 +08:00
using namespace std;
int arr[1000000];
2019-08-21 10:10:08 +08:00
int fib(int n)
{
if (arr[n] == -1)
{
if (n <= 1)
arr[n] = n;
else
arr[n] = fib(n - 1) + fib(n - 2);
}
return arr[n];
2016-11-25 21:06:34 +08:00
}
int main(int argc, char const *argv[])
{
int n;
cout << "Enter n: ";
cin >> n;
for (int i = 0; i < n + 1; ++i)
{
arr[i] = -1;
}
cout << "Fibonacci number is " << fib(n) << endl;
return 0;
2016-11-25 21:06:34 +08:00
}