Group
C# Flow Control Basics
Objective
Write a C# program that asks for a number, width, and height, and displays a rectangle of that width and height, using that number for the inner symbol, as shown in the example below:
Enter a number: 4
Enter the desired width: 3
Enter the desired height: 5
444
444
444
444
444
Example C# Exercise
Show C# Code
using System;
namespace RectangleDisplay
{
class Program
{
static void Main(string[] args)
{
// Prompt the user for input: symbol, width, and height of the rectangle
Console.Write("Enter a number (symbol): ");
int number = int.Parse(Console.ReadLine()); // Store the number entered by the user for the symbol
Console.Write("Enter the desired width: ");
int width = int.Parse(Console.ReadLine()); // Store the width of the rectangle
Console.Write("Enter the desired height: ");
int height = int.Parse(Console.ReadLine()); // Store the height of the rectangle
// Use a nested loop to print the rectangle
// Outer loop controls the height (number of rows)
for (int i = 0; i < height; i++)
{
// Inner loop controls the width (number of symbols per row)
for (int j = 0; j < width; j++)
{
// Print the symbol for each position in the row
Console.Write(number);
}
// After each row is printed, move to the next line
Console.WriteLine();
}
}
}
}
Output
Enter a number (symbol): 4
Enter the desired width: 3
Enter the desired height: 5
444
444
444
444
444