描述
You are climbing a stair case. It takes n steps to reach to the top.
Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?
分析
稍一分析就知道答案是斐波那契数F(n + 1)
。因为f(1) = 1, f(2) = 2
,而n > 2
时,有多少种走法呢,可以分解为:
- 如果第一次走一步,那么有
f(n-1)
种走法。 - 如果第一次走两步,那么有
f(n-2)
种走法。 - 因此
f(n) = f(n-1) + f(n-2)
,故f(n)
是第n+1
个斐波那契数。
使用动态规划算法,时间复杂度O(n)
,空间复杂度O(1)
。
代码
Python
1 | class Solution(object): |