Given a non-negative integer numRows, generate the first numRows of Pascal's triangle.
题意
给定一个非负整数 numRows,生成杨辉三角的前 numRows 行。在杨辉三角中,每个数是它左上方和右上方的数的和。样例
输入: 5
输出:
[
[1],
[1,1],
[1,2,1],
[1,3,3,1],
[1,4,6,4,1]
]
解题
class Solution {public:vector<vector<int>> generate(int numRows) {vector<vector<int>> result;if (numRows == 0) {return {};
}vector<int> tempRes = { 1 };//第一行,初始行
result.push_back(tempRes);for (int index = 2; index <= numRows; ++index) {//利用result的最后一行进行迭代
tempRes = vector<int>(index, 1);//重新设定tempResfor (int i = 1; i < index - 1; ++i) {//利用上一行迭代下一行//result[index - 2][i - 1]上一行的第i-1个位置,图中的左上方//result[index - 2][i]是表示上一行第i个位置,图中的右上方
tempRes[i] = result[index - 2][i - 1] + result[index - 2][i];
}
result.push_back(tempRes);//此行迭代完毕放入结果
}return result;
}
};
好了,今天的文章就到这里,如果觉得有所收获,请顺手点个在看或者转发吧,你们的支持是我最大的动力。上期推文:LeetCode1-100题汇总,希望对你有点帮助!LeetCode刷题实战101:对称二叉树LeetCode刷题实战102:二叉树的层序遍历LeetCode刷题实战103:二叉树的锯齿形层次遍历LeetCode刷题实战104:二叉树的最大深度LeetCode刷题实战105:从前序与中序遍历序列构造二叉树LeetCode刷题实战106:从中序与后序遍历序列构造二叉树LeetCode刷题实战107:二叉树的层次遍历 IILeetCode刷题实战108:将有序数组转换为二叉搜索树LeetCode刷题实战109:有序链表转换二叉搜索树LeetCode刷题实战110:平衡二叉树LeetCode刷题实战111:二叉树的最小深度LeetCode刷题实战112:路径总和LeetCode刷题实战113:路径总和 II
LeetCode刷题实战114:二叉树展开为链表
LeetCode刷题实战115:不同的子序列
LeetCode刷题实战116:填充每个节点的下一个右侧节点指针
LeetCode刷题实战117:填充每个节点的下一个右侧节点指针 II