Leetcode118:杨辉三角

题目

杨辉三角

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

示例

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

解法一

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
class Solution {
public List<List<Integer>> generate(int numRows) {
List<List<Integer>> result=new ArrayList<List<Integer>>();
for (int i=0;i<numRows;i++){
ArrayList<Integer> sub=new ArrayList<Integer>();
for (int j=0;j<=i;j++){
//第一个位置和最后一个位置的元素为1
if (j==0 || j==i){
sub.add(1);
}else {
//上一行的元素进行相加
sub.add(result.get(i-1).get(j-1)+result.get(i-1).get(j));
}
}
result.add(sub);
}
return result;
}
}

本博客所有文章除特别声明外,均采用 CC BY-SA 4.0 协议 ,转载请注明出处!