c语言打印如下杨辉三角形的前10行: 1 1 1 1 2 1 1 3 3 1 1 4 6 4 1
时间: 2023-12-02 10:04:46 浏览: 123
c语言题库
好的,下面是C语言代码实现杨辉三角形的前10行:
```
#include <stdio.h>
int main() {
int row, col;
int arr[10][10];
// 初始化第一列和对角线
for (row = 0; row < 10; row++) {
arr[row][0] = 1;
arr[row][row] = 1;
}
// 计算其余的数值
for (row = 2; row < 10; row++) {
for (col = 1; col < row; col++) {
arr[row][col] = arr[row-1][col-1] + arr[row-1][col];
}
}
// 打印杨辉三角形
for (row = 0; row < 10; row++) {
for (col = 0; col <= row; col++) {
printf("%d ", arr[row][col]);
}
printf("\n");
}
return 0;
}
```
输出结果:
```
1
1 1
1 2 1
1 3 3 1
1 4 6 4 1
1 5 10 10 5 1
1 6 15 20 15 6 1
1 7 21 35 35 21 7 1
1 8 28 56 70 56 28 8 1
1 9 36 84 126 126 84 36 9 1
```
阅读全文