# 杨辉三角

思路:

从帕斯卡三角形内的递推关系开始。

首先,我们定义一个函数 f(i, j)f(i,j),它将会返回帕斯卡三角形第 i 行第 j 列的数字。

我们可以用下面的公式来表示这一递推关系:

f(i, j) = f(i - 1, j - 1) + f(i - 1, j)

然后有

f(i,j)=1

where j=1orj=i

代码


public class Generate {
    /**
     * f(i,j)=f(i−1,j−1)+f(i−1,j)
     * 
     * @param numRows
     * @return
     */
    public static List<List<Integer>> generate(int numRows) {
        List<List<Integer>> res = new ArrayList<>();
        if (numRows == 0) {
            return res;
        }
        if (numRows == 1) {
            res.add(new ArrayList<>());
            res.get(0).add(1);
            return res;
        }

        res = generate(numRows - 1);
        List<Integer> last = new ArrayList<>();
        last.add(1);
        for (int i = 1; i < numRows - 1; i++) {
            last.add(res.get(numRows - 2).get(i - 1) + res.get(numRows - 2).get(i));
        }
        last.add(1);
        res.add(last);
        return res;
    }

    public static List<List<Integer>> generate1(int numRows) {
        List<List<Integer>> res = new ArrayList<>();
        int[][] value = new int[numRows][numRows];
        for (int i = 0; i < numRows; i++) {
            List<Integer> last = new ArrayList<>();
            for (int j = 0; j <= i; j++) {
                if (i == 0 || j == 0) {
                    value[i][j] = 1;
                } else {
                    value[i][j] = value[i - 1][j - 1] + value[i - 1][j];
                }
                last.add(value[i][j]);
            }
            res.add(last);
        }
        return res;
    }
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48