题目
斐波那契数 (通常用 F(n) 表示)形成的序列称为 斐波那契数列 。该数列由 0 和 1 开始,后面的每一项数字都是前面两项数字的和。也就是:
F(0) = 0,F(1) = 1
F(n) = F(n - 1) + F(n - 2),其中 n > 1
给定 n ,请计算 F(n) 。
分析
-
初始状态
f(0) = 0;
f(1) = 1; -
转移
F(n) = F(n - 1) + F(n - 2) -
结束状态
求出f(n)并返回。
代码
int fib(int n) {
int index[31];
index[0] = 0;
index[1] = 1;
for(int i = 2; i <= n; i++)
{
index[i] = index[i-1] + index[i-2];
}
return index[n];
}
题目链接:https://leetcode.cn/problems/fibonacci-number/?envType=study-plan-v2&envId=dynamic-programming
标签:契数,题目,数列,index,int,斐波 From: https://www.cnblogs.com/Bosiju/p/18539429