C++ 打印带对角线数字的方格图案程序

使用 for 循环编写一个 C++ 程序,以打印除对角线数字外其余为零的方格图案。

#include<iostream>
using namespace std;

int main()
{
	int rows;

	cout << "Enter Square with Diagonal Numbers Side = ";
	cin >> rows;

	cout << "Square with Numbers in Diaginal and Remaining 0's\n";

	for (int i = 1; i <= rows; i++)
	{
		for (int j = 1; j < i; j++)
		{
			cout << "0 ";
		}
		cout << i << " ";

		for (int k = i; k < rows; k++)
		{
			cout << "0 ";
		}
		cout << "\n";
	}
}
C++ Program to Print Square With Diagonal Numbers Pattern

这是在 C++ 中使用另一种方法打印带有对角线数字且其余项为零的方格图案。

#include<iostream>
using namespace std;

int main()
{
	int rows;

	cout << "Enter Square with Diagonal Numbers Side = ";
	cin >> rows;

	cout << "Square with Numbers in Diaginal and Remaining 0's\n";

	for (int i = 1; i <= rows; i++)
	{
		for (int j = 1; j <= rows; j++)
		{
			if (i == j)
			{
				cout << i << " ";
			}
			else
			{
				cout << "0 ";
			}
		}
		cout << "\n";
	}
}
Enter Square with Diagonal Numbers Side = 9
Square with Numbers in Diaginal and Remaining 0's
1 0 0 0 0 0 0 0 0 
0 2 0 0 0 0 0 0 0 
0 0 3 0 0 0 0 0 0 
0 0 0 4 0 0 0 0 0 
0 0 0 0 5 0 0 0 0 
0 0 0 0 0 6 0 0 0 
0 0 0 0 0 0 7 0 0 
0 0 0 0 0 0 0 8 0 
0 0 0 0 0 0 0 0 9 

使用 while 循环的 C++ 程序打印带对角线数字的方格图案

#include<iostream>
using namespace std;

int main()
{
	int i, j, rows;

	cout << "Enter Square with Diagonal Numbers Side = ";
	cin >> rows;

	cout << "Square with Numbers in Diaginal and Remaining 0's\n";
	i = 1;

	while (i <= rows)
	{
		j = 1;

		while (j <= rows)
		{
			if (i == j)
			{
				cout << i << " ";
			}
			else
			{
				cout << "0 ";
			}
			j++;
		}
		cout << "\n";
		i++;
	}
}
Enter Square with Diagonal Numbers Side = 12
Square with Numbers in Diaginal and Remaining 0's
1 0 0 0 0 0 0 0 0 0 0 0 
0 2 0 0 0 0 0 0 0 0 0 0 
0 0 3 0 0 0 0 0 0 0 0 0 
0 0 0 4 0 0 0 0 0 0 0 0 
0 0 0 0 5 0 0 0 0 0 0 0 
0 0 0 0 0 6 0 0 0 0 0 0 
0 0 0 0 0 0 7 0 0 0 0 0 
0 0 0 0 0 0 0 8 0 0 0 0 
0 0 0 0 0 0 0 0 9 0 0 0 
0 0 0 0 0 0 0 0 0 10 0 0 
0 0 0 0 0 0 0 0 0 0 11 0 
0 0 0 0 0 0 0 0 0 0 0 12 

C++ 程序使用 do while 循环显示递增对角线数字的方格图案,其余数字均为零。

#include<iostream>
using namespace std;

int main()
{
	int rows;

	cout << "Enter Square with Diagonal Numbers Side = ";
	cin >> rows;

	cout << "Square with Numbers in Diaginal and Remaining 0's\n";
	int i = 1;

	do
	{
		int j = 1;

		do
		{
			if (i == j)
			{
				cout << i << " ";
			}
			else
			{
				cout << "0 ";
			}

		} while (++j <= rows);

		cout << "\n";

	} while (++i <= rows);
}
Enter Square with Diagonal Numbers Side = 14
Square with Numbers in Diaginal and Remaining 0's
1 0 0 0 0 0 0 0 0 0 0 0 0 0 
0 2 0 0 0 0 0 0 0 0 0 0 0 0 
0 0 3 0 0 0 0 0 0 0 0 0 0 0 
0 0 0 4 0 0 0 0 0 0 0 0 0 0 
0 0 0 0 5 0 0 0 0 0 0 0 0 0 
0 0 0 0 0 6 0 0 0 0 0 0 0 0 
0 0 0 0 0 0 7 0 0 0 0 0 0 0 
0 0 0 0 0 0 0 8 0 0 0 0 0 0 
0 0 0 0 0 0 0 0 9 0 0 0 0 0 
0 0 0 0 0 0 0 0 0 10 0 0 0 0 
0 0 0 0 0 0 0 0 0 0 11 0 0 0 
0 0 0 0 0 0 0 0 0 0 0 12 0 0 
0 0 0 0 0 0 0 0 0 0 0 0 13 0 
0 0 0 0 0 0 0 0 0 0 0 0 0 14