题目:
给定一个非负整数numRows,生成「杨辉三角」的前numRows行。
在「杨辉三角」中,每个数是它左上方和右上方的数的和。
示例1:
输入:numRows=5
输出:[[1],[1,1],[1,2,1],[1,3,3,1],
[1,4,6,4,1]]
示例2:
输入:numRows=1
输出:[[1]]
思路:
当前的值,等于左上角加上正上方。
代码:
public List<List<Integer>> generate(int numRows) {
//1
//1 2 1
//1 3 3 1
//1 4 6 4 1
List<List<Integer>> resultList = new ArrayList<>();
if (numRows == 0) {
return resultList;
}
for (int i=0; i< numRows; i++) {
List<Integer> rowList = new ArrayList<>();
//i是行, j是列
for (int j=0; j<=i; j++) {
//每一行的第一个数,还有最后一个数,都是1.
if ( j==0 || j==i) {
rowList.add(1);
} else {
//左上角的行下标,比当前的行下标减一。正上方的列下标,分别是 j-1 和 j.
rowList.add( resultList.get(i-1).get(j-1) + resultList.get(i-1).get(j) );
}
}
resultList.add(rowList);
}
return resultList;
}
标签:LeetCode118,示例,int,List,numRows,杨辉三角
From: https://www.cnblogs.com/expiator/p/18651792