题目:
Given an index k, return the kth row of the Pascal's triangle.
For example, given k = 3,
Return [1,3,3,1].
Note:
Could you optimize your algorithm to use only O(k) extra space?
class Solution {
public:
vector<int> getRow(int rowIndex) {
vector<int> level;
if(rowIndex < 0)
return level;
for(int i = 0; i <= rowIndex; i++) {
int pre_sz = level.size();
for(int j = pre_sz-1; j >= 1; j--)
level[j] += level[j-1];
level.push_back(1);
}
return level;
}
};
本文介绍了一个算法问题,即如何求解帕斯卡三角形中的第K行,并提供了一种解决方案,该方案使用O(k)的空间复杂度来优化算法。通过逐行构建并更新每一行的值,最终得到所需的帕斯卡三角形行。
342

被折叠的 条评论
为什么被折叠?



