原题目:
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> v(rowIndex + 1);
if(rowIndex < 0)
return v;
v[0] = 1;
for(int i = 0;i <= rowIndex;i++)
{
for(int j = i;j > 0;j--)
v[j] = v[j] + v[j-1];
}
return v;
}
};
本文介绍了一种高效算法,用于求解帕斯卡三角形中指定行的所有元素值,特别关注于使用O(K)的空间复杂度进行优化。通过逐行递推计算并复用内存的方式,避免了传统方法中的空间浪费。
516

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



