Grupo
Funciones en C#
Objectivo
1. Implemente la función WriteRectangle para imprimir un rectángulo relleno.
2. Utilice un bucle para imprimir filas y columnas de asteriscos según los parámetros de ancho y alto.
3. Implemente la función WriteHollowRectangle para imprimir solo el borde del rectángulo.
4. En WriteHollowRectangle, asegúrese de que el interior del rectángulo esté vacío, excepto el borde.
5. Pruebe las funciones con diferentes tamaños para rectángulos rellenos y vacíos.
Escriba una función WriteRectangle en C# para mostrar un rectángulo (relleno) en la pantalla, con el ancho y el alto indicados como parámetros, utilizando asteriscos. Complete el programa de prueba con una función Main.
Ejemplo de ejercicio en C#
Mostrar código C#
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:
***
* *
* *
***
Código de ejemplo copiado
Comparte este ejercicio de C#