Group
Functions in C#
Objective
1. Implement the WriteRectangle function to print a filled rectangle.
2. Use a loop to print rows and columns of asterisks based on the width and height parameters.
3. Implement the WriteHollowRectangle function to print only the border of the rectangle.
4. In WriteHollowRectangle, ensure the inside of the rectangle is empty, except for the border.
5. Test the functions with different sizes for both filled and hollow rectangles.
Write a C# function WriteRectangle to display a (filled) rectangle on the screen, with the width and height indicated as parameters, using asterisks. Complete the test program with a Main function.
Example C# Exercise
Show C# Code
using System;
class Program
{
// Function to display a filled rectangle with asterisks
static void WriteRectangle(int width, int height)
{
// Loop through each row
for (int i = 0; i < height; i++)
{
// Loop through each column in the row and print an asterisk
for (int j = 0; j < width; j++)
{
Console.Write("*");
}
// Move to the next line after printing the row
Console.WriteLine();
}
}
// Function to display a hollow rectangle with asterisks on the border
static void WriteHollowRectangle(int width, int height)
{
// Loop through each row
for (int i = 0; i < height; i++)
{
// Loop through each column in the row
for (int j = 0; j < width; j++)
{
// Print asterisk for the first and last rows or first and last columns
if (i == 0 || i == height - 1 || j == 0 || j == width - 1)
{
Console.Write("*");
}
else
{
// Print space for the inside of the rectangle
Console.Write(" ");
}
}
// Move to the next line after printing the row
Console.WriteLine();
}
}
static void Main()
{
// Test the WriteRectangle function with a width of 4 and height of 3
Console.WriteLine("Filled Rectangle:");
WriteRectangle(4, 3);
// Test the WriteHollowRectangle function with a width of 3 and height of 4
Console.WriteLine("\nHollow Rectangle:");
WriteHollowRectangle(3, 4);
}
}
Output
Filled Rectangle:
****
****
****
Hollow Rectangle:
***
* *
* *
***