Display a Square of Numbers with Custom Width in C#

In this C# program, the user is prompted to input two pieces of data: a number and a width. The number is used as the inner symbol to create a square pattern, where the width of the square is also provided by the user. The program then generates and displays a square with the specified width, using the entered number as the character for each element within the square.

The main purpose of this exercise is to demonstrate the use of loops and user input handling to construct a simple pattern based on the user's specifications. The program uses nested loops to handle both the number of rows and columns in the square.



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

 Copy 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

Share this C# Exercise

More C# Practice Exercises of C# Flow Control Basics

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.