给定一个非负整数 numRows,生成杨辉三角的前 numRows 行。
在杨辉三角中,每个数是它左上方和右上方的数的和。
示例:
输入: 5 输出: [ [1], [1,1], [1,2,1], [1,3,3,1], [1,4,6,4,1] ]
**难度**: Easy
**标签**: 数组、
# -*- coding: utf-8 -*-
# @Author : LG
"""
执行用时:32 ms, 在所有 Python3 提交中击败了93.78% 的用户
内存消耗:13.4 MB, 在所有 Python3 提交中击败了56.53% 的用户
解题思路:
模拟杨辉三角的生成过程
"""
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
result = []
for i in range(1, numRows+1): # 每一行有i个数
row = [1] # 第一个数是1
for j in range(1, i-1): # 从第二个到倒数第二个起,等于上一行对应数的和
row.append(result[-1][j-1] + result[-1][j])
if i > 1:
row.append(1)
result.append(row)
return result