标签:pre 技术分享 水题 生成 http 模拟 return 回顾 src
给定一个非负整数 numRows
,生成杨辉三角的前 numRows
行。
在杨辉三角中,每个数是它左上方和右上方的数的和。
示例:
输入: 5
输出:
[
[1],
[1,1],
[1,2,1],
[1,3,3,1],
[1,4,6,4,1]
]
水题一道, 就当回顾。
LeetCode挺好玩儿的。
class Solution {
public:
vector<vector<int>> generate(int numRows) {
vector<vector<int>> ret(numRows, vector<int>());
if (numRows) {
ret[0].push_back(1);
for (int i(1); i < numRows; ++i) {
ret[i].push_back(1);
for (int j(1), maximum(ret[i - 1].size()); j < maximum; ++j) {
ret[i].push_back(ret[i - 1][j - 1] + ret[i - 1][j]);
}
ret[i].push_back(1);
}
}
return ret;
}
};
标签:pre 技术分享 水题 生成 http 模拟 return 回顾 src
原文地址:https://www.cnblogs.com/forth/p/9780890.html