Group
C# Flow Control Basics
Objective
Write a C# program that asks for a symbol and a width, and displays a hollow square of that width using that symbol for the outer border, as shown in this example:
Enter a symbol: 4
Enter the desired width: 3
444
4 4
444
Example C# Exercise
Show C# Code
using System;
namespace HollowSquare
{
class Program
{
static void Main(string[] args)
{
// Prompt the user to enter a symbol
Console.Write("Enter a symbol: ");
char symbol = Convert.ToChar(Console.ReadLine()); // Read the symbol input as a character
// Prompt the user to enter the desired width of the square
Console.Write("Enter the desired width: ");
int width = int.Parse(Console.ReadLine()); // Read the width of the square
// Loop through each row
for (int i = 0; i < width; i++)
{
// Loop through each column in the current row
for (int j = 0; j < width; j++)
{
// Check if it's the first or last row, or the first or last column in the middle rows
if (i == 0 || i == width - 1 || j == 0 || j == width - 1)
{
Console.Write(symbol); // Print the symbol at the borders
}
else
{
Console.Write(" "); // Print a space for the hollow area
}
}
// Move to the next line after each row
Console.WriteLine();
}
}
}
}
Output
//Example 1:
Enter a symbol: 4
Enter the desired width: 3
444
4 4
444
//Example 2:
Enter a symbol: *
Enter the desired width: 5
*****
* *
* *
* *
*****