杭电oj HDOJ 2070 Fibbonacci Number
Problem Description
Your objective for this question is to develop a program which will generate a fibbonacci number. The fibbonacci function is defined as such:
f(0) = 0
f(1) = 1
f(n) = f(n-1) + f(n-2)
Your program should be able to handle values of n in the range 0 to 50.
Input
Each test case consists of one integer n in a single line where 0≤n≤50. The input is terminated by -1.
Output
Print out the answer in a single line for each test case.
题目大意
无需多介绍,这就是著名的“斐波那契数列”,题中要求求出n值在0到50之间的数列值。
解题思路
“斐波那契数列”是计算机习题中的一个著名的递归问题,很多人利用“递归”方法解决的第一道习题就是“斐波那契数列”问题。但是由于递归的时间复杂度过高,在本题中不能通过检测,会“超时”。所以我们应该利用数组和for循环来求数列值。
本人的C++解决方案
#include <iostream>
using namespace std;
int main()
{
int n, i;
__int64 num[51];
// 提前构造好数列,不需后面进行递归运算
num[0] = 0;
num[1] = 1;
for (i = 2; i < 51; i++) {
num[i] = num[i - 1] + num[i - 2];
}
while (cin >> n) {
if (n == -1) {
break;
}
if (n < 0 || n > 50) {
continue;
}
cout << num[n] << endl;
}
return 0;
}
代码通过HDOJ平台运行检查,如发现错误,欢迎指出和纠正,谢谢!