【数组篇】day15_118. 杨辉三角
【摘要】 给定一个非负整数 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【题解】题解:思路:依次处理开头...
给定一个非负整数 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
【题解】
题解:
思路:
- 依次处理开头、中间、结尾元素
复杂度:
- 时间复杂度:O(n)
- 空间复杂度:O(n)
class Solution {
public List<List<Integer>> generate(int numRows) {
List<List<Integer>> res = new ArrayList<>();
res.add(Arrays.asList(1));
List<Integer> rows = null;
for(int i = 1; i < numRows; i++){
rows = new ArrayList<>();
rows.add(1);
// 处理中间元素
int index = 1;
while(index < i){
List<Integer> preRows = res.get(i-1);
rows.add(preRows.get(index-1) + preRows.get(index));
index++;
}
rows.add(1);
res.add(rows);
}
return res;
}
}
【版权声明】本文为华为云社区用户原创内容,转载时必须标注文章的来源(华为云社区)、文章链接、文章作者等基本信息, 否则作者和本社区有权追究责任。如果您发现本社区中有涉嫌抄袭的内容,欢迎发送邮件进行举报,并提供相关证据,一经查实,本社区将立刻删除涉嫌侵权内容,举报邮箱:
cloudbbs@huaweicloud.com
- 点赞
- 收藏
- 关注作者
评论(0)