LeetCodeAnimation/0118-Generate/Article/0118-Generate.md
2020-05-06 11:35:35 +08:00

72 lines
2.3 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

## LeetCode第118号问题杨辉三角
> 本文首发于公众号图解面试算法 [图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>) 系列文章之一。
>
> 个人博客www.zhangxiaoshuai.fun
**本题选自leetcode第118题easy级别目前通过率66.4%**
### 题目描述
```
给定一个非负整数 numRows生成杨辉三角的前 numRows
示例:
输入: 5
输出:
[
[1],
[1,1],
[1,2,1],
[1,3,3,1],
[1,4,6,4,1]
]
```
### 题目分析
初中时候学习的杨辉三角想不到又在这里出现了题意很容易理解每一行中的第一个数字和最后一个数字都是1中间的数字都是通过上面相邻的两个数字相加得到题目给我们一个杨辉三角的非负行数然后我们生成对应的杨辉三角集合
既然返回的是一个List<List<Integer>>那么我们用一个大集合来放置每一行的数每一行的数我们分别用一个小集合来存放最后将每一个小集合添加进大集合中
### gif动画演示
官方中已经有做的非常好的gif图解这里直接展示
![](../Animation/resource.gif)
### 代码
```java
public List<List<Integer>> generate(int numRows) {
List<List<Integer>> triangle = new ArrayList<List<Integer>>();
//给定的numRows为0时直接返回空集合即可
if (numRows == 0) {
return triangle;
}
//因为杨辉三角的第一行总是1所以先新建一个list并将1加入该list中
triangle.add(new ArrayList<>());
triangle.get(0).add(1);
//从第二行开始新建表示当前行的list拿到当前行的前一行的list
for (int rowNum = 1; rowNum < numRows; rowNum++) {
List<Integer> row = new ArrayList<>();
List<Integer> prevRow = triangle.get(rowNum-1);
//一行中的第一个元素
row.add(1);
//针对每一行都是上一行的相邻的两个元素相加得到两个1中间的数
for (int j = 1; j < rowNum; j++) {
row.add(prevRow.get(j-1) + prevRow.get(j));
}
//一行中的最后一个元素
row.add(1);
//最后将“整行添加到大集合中”
triangle.add(row);
}
return triangle;
}
```