Write a C++ program to print the square with all zeros except the diagonal numbers pattern using for loop.
#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"; } }
It is another way of printing the square pattern with diagonal numbers and all the remaining items zeros in 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
C++ program to print square with diagonal numbers pattern using a while loop
#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
This C++ program displays the square pattern of incremental diagonal numbers and all the remaining ones are zeros using the do while loop.
#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