LeetCode每日一题:帕斯卡三角(杨辉三角) 1

问题描述

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]
]

问题分析

这题没有什么难度,打印n层杨辉三角(杨辉三角边界都是1,其余的数等于它上面一层相邻的两个数之和)即可,注意的是采用ArrayList和数组存在一定的操作区别

代码实现

public ArrayList> generate(int numRows) {
        ArrayList> list = new ArrayList>();
        for (int i = 0; i < numRows; i++) {
            ArrayList curList = new ArrayList<>();
            for (int j = 0; j <= i; j++) {
                if (j == 0 || j == i) curList.add(1);
                else curList.add(list.get(i - 1).get(j - 1) + list.get(i - 1).get(j));
            }
            list.add(curList);
        }
        return list;
    }

你可能感兴趣的:(LeetCode每日一题:帕斯卡三角(杨辉三角) 1)