pascals triangle(杨辉三角、帕斯卡三角)

题目描述

Given numRows, generate the first numRows of Pascal's triangle.
For example, given numRows = 5,
Return:

[
[1],
[1,1],
[1,2,1],
[1,3,3,1],
[1,4,6,4,1]
]

题目大意

杨辉三角
给定一个非负整数 numRows,生成杨辉三角的前 numRows 行。
在杨辉三角中,每个数是它左上方和正上方的数的和。
示例:
输入:
5
输出:

[
[1],
[1,1],
[1,2,1],
[1,3,3,1],
[1,4,6,4,1]
]

思路

每行比上一行多一个数,每行的第一个数和最后一个数为1,其他的位置的数等于它左上方和正上方的数的和。

代码

#include
#include
using namespace std;

/**
 * 杨辉三角
 */
vector > generate(int numRows)
{
    vector > res;

    for(int i=0; i tmp(i+1, 1); // 数组空间为i+1,数组全部初始化为1

        for(int j=1; j > generate_1(int numRows)
{
    vector > res;

    for(int i=0; i tmp; // 数组空间为i+1,数组全部初始化为1

        for(int j=0; j<=i; j++)
        {
            // 每行第一个数和最后一个数为1
            if(j==0 || j==i)
                tmp.push_back(1);
            // 其他位置的数遵循规则
            else
                tmp.push_back(res[i-1][j-1] + res[i-1][j]);
        }

        res.push_back(tmp);
    }

    return res;
}

int main()
{
    vector > a = generate(5);

    for(int i=0; i

运行结果

pascals triangle(杨辉三角、帕斯卡三角)_第1张图片

以上。

你可能感兴趣的:(pascals triangle(杨辉三角、帕斯卡三角))