118.杨辉三角
dp, https://leetcode.cn/problems/pascals-triangle/
给定一个非负整数 numRows,生成「杨辉三角」的前 numRows 行。
在「杨辉三角」中,每个数是它左上方和右上方的数的和。

示例 1:
输入: numRows = 5
输出: [[1],[1,1],[1,2,1],[1,3,3,1],[1,4,6,4,1]]示例 2:
输入: numRows = 1
输出: [[1]]提示:
1 <= numRows <= 30
思路:关键在于对齐数字
python
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
ans = [[1]*(i+1) for i in range(numRows)]
for i in range(numRows):
for j in range(1,i):
ans[i][j] = ans[i-1][j-1] + ans[i-1][j]
return ans思路:使用二维列表储存杨辉三角,先将两端赋值为1,然后逐层计算。
python
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
tri = []
for i in range(numRows):
row = [None for _ in range(i+1)]
row[0], row[-1] = 1, 1
for j in range(1, len(row)-1):
row[j] = tri[i-1][j-1] + tri[i-1][j]
tri.append(row)
return tri