Group
C# Flow Control Basics
Objective
Write a C# program that prompts for a symbol, a width, and a height, and displays a hollow rectangle of that width and height, using that symbol for the outer border, as in this example:
Enter a symbol: 4
Enter the desired width: 3
Enter the desired height: 5
444
4 4
4 4
4 4
444
Example C# Exercise
Show C# Code
using System;
namespace HollowRectangle
{
class Program
{
static void Main(string[] args)
{
// Prompt the user to enter a symbol
Console.Write("Enter a symbol: ");
char symbol = Console.ReadKey().KeyChar; // Read the symbol entered by the user
Console.WriteLine(); // Move to the next line
// Prompt the user to enter the desired width
Console.Write("Enter the desired width: ");
int width = int.Parse(Console.ReadLine()); // Read the width of the rectangle
// Prompt the user to enter the desired height
Console.Write("Enter the desired height: ");
int height = int.Parse(Console.ReadLine()); // Read the height of the rectangle
// Generate the hollow rectangle
for (int i = 0; i < height; i++)
{
if (i == 0 || i == height - 1)
{
// Print the full line for the top and bottom borders
for (int j = 0; j < width; j++)
{
Console.Write(symbol);
}
}
else
{
// Print the hollow part for the middle rows
Console.Write(symbol); // Print the left border
for (int j = 1; j < width - 1; j++)
{
Console.Write(" "); // Print spaces for the hollow part
}
Console.Write(symbol); // Print the right border
}
Console.WriteLine(); // Move to the next line after printing one row
}
}
}
}
Output
//Example 1 (User Inputs: symbol = 4, width = 3, height = 5):
Enter a symbol: 4
Enter the desired width: 3
Enter the desired height: 5
444
4 4
4 4
4 4
444
//Example 2 (User Inputs: symbol = *, width = 6, height = 4):
Enter a symbol: *
Enter the desired width: 6
Enter the desired height: 4
******
* *
* *
******