Asked 6 months ago
0Comments
0 Views
Pascal's Triangle is a triangular array of the binomial coefficients that arises in probability theory, combinatorics, and algebra. Here's how we can approach this problem:
Let's implement this solution:
class Solution {
public:
vector<vector<int>> generate(int numRows) {
vector<vector<int>> triangle;
// Handle edge case
if (numRows == 0) return triangle;
// First row is always [1]
triangle.push_back({1});
for (int i = 1; i < numRows; i++) {
vector<int> row;
vector<int>& prevRow = triangle[i-1];
// First element of the row is always 1
row.push_back(1);
// Calculate middle elements
for (int j = 1; j < i; j++) {
row.push_back(prevRow[j-1] + prevRow[j]);
}
// Last element of the row is always 1
row.push_back(1);
triangle.push_back(row);
}
return triangle;
}
};
Now, let me explain the code and the approach:
triangle
to store our result.numRows
is 0 by returning an empty triangle.[1]
.numRows
-th row:
row
for each row.This solution has a time complexity of O(numRows^2) because we're iterating through each element of the triangle. The space complexity is also O(numRows^2) to store the entire triangle.
Share