c语言打印六行杨辉三角
时间: 2023-11-07 17:58:10 浏览: 78
以下是C语言代码打印六行杨辉三角:
```c
#include <stdio.h>
int main() {
int rows = 6;
int coef = 1;
for(int i = 0; i < rows; i++) {
for(int space = 1; space <= rows - i; space++) {
printf(" ");
}
for(int j = 0; j <= i; j++) {
if(j == 0 || i == 0) {
coef = 1;
} else {
coef = coef * (i - j + 1) / j;
}
printf("%4d", coef);
}
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
```
相关问题
c语言打印n行杨辉三角
在C语言中,打印杨辉三角通常采用递归或者动态规划的方法。下面是一个简单的C程序示例,展示了如何使用嵌套循环来打印前n行的杨辉三角:
```c
#include <stdio.h>
// 杨辉三角的一个元素
int binomial_coefficient(int n, int k) {
if (k == 0 || k == n)
return 1;
else
return binomial_coefficient(n - 1, k - 1) + binomial_coefficient(n - 1, k);
}
// 打印杨辉三角
void print_pascal_triangle(int n) {
for (int i = 0; i <= n; ++i) {
// 打印当前行的空格
for (int j = 0; j < n - i; ++j)
printf(" ");
// 计算并打印每个元素
for (int j = 0; j <= i; ++j) {
printf("%d ", binomial_coefficient(i, j));
}
// 换行
printf("\n");
}
}
int main() {
int rows;
printf("请输入要打印的杨辉三角行数: ");
scanf("%d", &rows);
print_pascal_triangle(rows);
return 0;
}
```
在这个程序中,`binomial_coefficient`函数用于计算组合数(杨辉三角中的元素),`print_pascal_triangle`函数则负责打印三角形。用户输入想要打印的行数后,程序会生成相应的杨辉三角。
用c语言打印10行杨辉三角
以下是使用C语言打印10行杨辉三角的代码:
```
#include <stdio.h>
int main() {
int n = 10; // 打印10行杨辉三角
int coef = 1; // 杨辉三角系数
for(int i = 0; i < n; i++) {
for(int j = 1; j <= n - i; j++) {
printf(" "); // 打印两个空格用于对齐
}
for(int j = 0; j <= i; j++) {
if(j == 0 || i == 0) {
coef = 1;
} else {
coef = coef * (i - j + 1) / j;
}
printf("%4d", coef); // 打印四个字符用于对齐
}
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
```
阅读全文