给定一个非负整数
numRows
,生成「杨辉三角」的前numRows
行。在「杨辉三角」中,每个数是它左上方和右上方的数的和。
通过一个二维顺序表实现:
class Solution {
public List<List<Integer>> generate(int numRows) {
List<List<Integer>> ret = new ArrayList<>();
List<Integer> line = new ArrayList<>();
line.add(1);
ret.add(line);//第一行第一列增加1
for(int i = 1; i < numRows; i++){
List<Integer> line2 = new ArrayList<>();
for(int j = 0; j <= i; j++){
if(j == 0 || j == i){ //第一列和每行最后一列打印1
line2.add(1);
}
else{ //其他行求下标为[i-1][j-1]+[i-1][j]的值即可
int num = ret.get(i - 1).get(j - 1) + ret.get(i - 1).get(j);
line2.add(num);
}
}
ret.add(line2);//增加到一维的顺序表中
}
return ret;
}
}