Group
C# Flow Control Basics
Objective
Write a C# program that prompts the user to enter a number and a width, and displays a square of that width, using that number for the inner symbol, as shown in this example:
Enter a number: 4
Enter the desired width: 3
444
444
444
This task requires the use of loops to generate the square, and the user can define both the size of the square and the symbol used inside it. The program must handle user input, perform basic validation, and construct a square pattern accordingly.
Example C# Exercise
Show C# Code
using System;
namespace SquareOfNumbers
{
class Program
{
static void Main(string[] args)
{
// Prompt the user for a number to use as the symbol in the square
Console.Write("Enter a number: ");
int number = Convert.ToInt32(Console.ReadLine()); // Read and convert the number to an integer
// Prompt the user for the width of the square
Console.Write("Enter the desired width: ");
int width = Convert.ToInt32(Console.ReadLine()); // Read and convert the width to an integer
// Outer loop to create each row of the square
for (int row = 0; row < width; row++)
{
// Inner loop to create each column in the row
for (int col = 0; col < width; col++)
{
// Print the number without moving to a new line
Console.Write(number);
}
// After completing each row, move to the next line
Console.WriteLine();
}
}
}
}
Output
Enter a number: 4
Enter the desired width: 3
444
444
444