题目:
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> result;
if(rowIndex<0)return result;
result.push_back(1);
for(int i=0;i<rowIndex;i++){
for(int j=i;j>0;j--){
result[j]=result[j]+result[j-1];
}
result.push_back(1);
}
return result;
}
};
本文介绍了一种高效算法来求解帕斯卡三角形的第K行,使用滚动数组实现仅需O(K)的额外空间。通过具体代码示例展示了如何利用这种方法进行计算。
1035

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



