c++编程实现输出杨辉三角
时间: 2024-12-18 20:16:50 浏览: 2
在C++中实现输出杨辉三角(Pascal's Triangle),可以利用嵌套循环的方式。杨辉三角是一个数学术语,每一行的数字由上一行相邻两个数字相加得到,最左边和最右边始终是1。下面是一个简单的示例代码:
```cpp
#include <iostream>
using namespace std;
void printPascalTriangle(int n) {
for (int i = 0; i <= n; ++i) {
// 每行的开头和结尾都是1
cout << 1 << " ";
// 计算并打印中间的数字
for (int j = 1; j < i; ++j)
cout << min(i, j) + min(i - j, 1) << " ";
// 行结束符
cout << 1 << endl;
}
}
int main() {
int rows;
cout << "Enter the number of rows for Pascal's Triangle: ";
cin >> rows;
printPascalTriangle(rows);
return 0;
}
```
当你运行这个程序,并输入想要生成的行数,它会按照杨辉三角的规则输出对应的图案。
相关问题
用c++编程实现输出杨辉三角形前 10 行
以下是使用C语言编写输出前10行杨辉三角形的程序:
```
#include <stdio.h>
int main() {
int rows = 10;
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;
}
```
用c++编程输出杨辉三角前七行
下面是用C++语言编写的输出杨辉三角前七行的程序:
```c++
#include <iostream>
using namespace std;
int main() {
int n = 7;
int a[n][n]; // 定义二维数组存储杨辉三角
for (int i = 0; i < n; i++) {
for (int j = 0; j <= i; j++) {
if (j == 0 || j == i) {
a[i][j] = 1;
} else {
a[i][j] = a[i-1][j-1] + a[i-1][j];
}
cout << a[i][j] << " ";
}
cout << endl;
}
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
```
阅读全文