leetcode 118. 杨辉三角

【前言】

           python刷leetcode题解答目录索引:https://blog.csdn.net/weixin_40449300/article/details/89470836

           github链接:https://github.com/Teingi/test 

【正文】

给定一个非负整数 numRows,生成杨辉三角的前 numRows 行。

在杨辉三角中,每个数是它左上方和右上方的数的和。

示例:

输入: 5
输出:
[
     [1],
    [1,1],
   [1,2,1],
  [1,3,3,1],
 [1,4,6,4,1]
]

class Solution:
    def generate(self, numRows):
        """
        :type numRows: int
        :rtype: List[List[int]]
        """
        res=[]
        for i in range(0,numRows):
            res.append([1])
            for j in range(1,i+1):
                if j==i:
                    res[i].append(1)
                else:
                    res[i].append(res[i-1][j]+res[i-1][j-1])
        return res;

你可能感兴趣的:(Leetcode)