【Python】【难度:简单】Leetcode 1137. 第 N 个泰波那契数

泰波那契序列 Tn 定义如下: 

T0 = 0, T1 = 1, T2 = 1, 且在 n >= 0 的条件下 Tn+3 = Tn + Tn+1 + Tn+2

给你整数 n,请返回第 n 个泰波那契数 Tn 的值。

 

示例 1:

输入:n = 4
输出:4
解释:
T_3 = 0 + 1 + 1 = 2
T_4 = 1 + 1 + 2 = 4
示例 2:

输入:n = 25
输出:1389537
 

提示:

0 <= n <= 37
答案保证是一个 32 位整数,即 answer <= 2^31 - 1。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/n-th-tribonacci-number
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

 

class Solution(object):
    def tribonacci(self, n):
        """
        :type n: int
        :rtype: int
        """
        res=[]
        for i in range(n+1):
            if i==0:
                res.append(0)
            elif i==1:
                res.append(1)
            elif i==2:
                res.append(1)
            else:
                res.append(sum(res[i-3:i]))
        return res[-1]

 

 

执行结果:

通过

显示详情

执行用时 :24 ms, 在所有 Python 提交中击败了43.86%的用户

内存消耗 :12.6 MB, 在所有 Python 提交中击败了100.00%的用户

你可能感兴趣的:(leetcode)