Leetcode刷题Python509. 斐波那契数
Posted Better Bench
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Leetcode刷题Python509. 斐波那契数相关的知识,希望对你有一定的参考价值。
1 题目
斐波那契数 (通常用 F(n) 表示)形成的序列称为 斐波那契数列 。该数列由 0 和 1 开始,后面的每一项数字都是前面两项数字的和。也就是:
F(0) = 0,F(1) = 1
F(n) = F(n - 1) + F(n - 2),其中 n > 1
给定 n ,请计算 F(n) 。
示例 1:
输入:n = 2
输出:1
解释:F(2) = F(1) + F(0) = 1 + 0 = 1
2 解析
方法一:递归
方法二:滚动数组
3 Python实现
(1)方法一
class Solution:
def fib(self, n: int) -> int:
if n<2:
return n
else:
return self.fib(n-1)+self.fib(n-2)
(2)方法二
class Solution:
def fib(self, n: int) -> int:
if n<2:
return n
p ,q, r=0,0,1
for _ in range(2,n+1):
p = q
q = r
r = p+q
return r
以上是关于Leetcode刷题Python509. 斐波那契数的主要内容,如果未能解决你的问题,请参考以下文章