Group
C# Arrays, Structures and Strings
Objective
1. Ask the user for their name.
2. Ask the user to input the size of the rectangle (a positive integer).
3. Display the hollow rectangle with the name as the border.
4. The rectangle will have the following format:
- The first and last row will be completely filled with the name.
- The middle rows will have the name on both sides, with blank spaces in between.
5. Ensure that the program handles any size input and displays the hollow rectangle correctly.
Write a C# program to ask the user for his/her name and a size, and display a hollow rectangle with it:
Enter your name: Yo
Enter size: 4
YoYoYoYo
Yo____Yo
Yo____Yo
YoYoYoYo
(note: the underscores _ should not be displayed on screen; you program should display blank spaces inside the rectangle)
Example C# Exercise
Show C# Code
using System;
class Program
{
static void Main()
{
// Ask the user for their name
Console.Write("Enter your name: ");
string name = Console.ReadLine();
// Ask the user for the size of the rectangle
Console.Write("Enter size: ");
int size = int.Parse(Console.ReadLine());
// Loop through the rows of the rectangle
for (int i = 0; i < size; i++)
{
// Print the first and last row with the full name
if (i == 0 || i == size - 1)
{
for (int j = 0; j < size; j++)
{
Console.Write(name);
}
}
else
{
// Print the first and last parts of the name, with spaces in between
Console.Write(name);
for (int j = 0; j < name.Length * (size - 2); j++)
{
Console.Write(" "); // Blank spaces inside the rectangle
}
Console.WriteLine(name);
}
Console.WriteLine(); // Move to the next line after each row
}
}
}
Output
Enter your name: Yo
Enter size: 4
YoYoYoYo
Yo Yo
Yo Yo
YoYoYoYo