Grupo
Programación orientada a objetos en C#
Objectivo
1. Cree una nueva clase Rectángulo con los siguientes atributos:
- Longitud (doble)
- Ancho (doble)
2. Implemente un constructor para inicializar la longitud y el ancho del rectángulo.
3. Proporcione un método ToString para devolver una representación en cadena del rectángulo, incluyendo su longitud, ancho, área y perímetro.
4. Implemente el método GetArea para calcular el área del rectángulo.
5. Implemente el método GetPerimeter para calcular el perímetro del rectángulo.
6. Pruebe la clase Rectángulo en el programa principal creando algunos rectángulos con diferentes dimensiones y mostrando sus detalles.
Cree una clase rectángulo que calcule el área y el perímetro, muestre los detalles y permita modificar la longitud y el ancho.
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
public class Rectangle
{
// Private fields for the rectangle's dimensions
private double length;
private double width;
// Constructor to initialize the rectangle's length and width
public Rectangle(double length, double width)
{
this.length = length;
this.width = width;
}
// Getter and Setter for Length
public double Length
{
get { return length; }
set { length = value; }
}
// Getter and Setter for Width
public double Width
{
get { return width; }
set { width = value; }
}
// Method to calculate the area of the rectangle
public double GetArea()
{
return length * width; // Area = length * width
}
// Method to calculate the perimeter of the rectangle
public double GetPerimeter()
{
return 2 * (length + width); // Perimeter = 2 * (length + width)
}
// Method to return the rectangle's details as a string
public override string ToString()
{
return $"Rectangle: Length = {length}, Width = {width}, Area = {GetArea()}, Perimeter = {GetPerimeter()}";
}
}
public class Program
{
public static void Main()
{
// Create a rectangle with a length of 10 and a width of 5
Rectangle rectangle1 = new Rectangle(10, 5);
// Display the details of the first rectangle
Console.WriteLine(rectangle1.ToString());
// Create another rectangle with different dimensions
Rectangle rectangle2 = new Rectangle(15, 7);
// Display the details of the second rectangle
Console.WriteLine(rectangle2.ToString());
}
}
Output
Rectangle: Length = 10, Width = 5, Area = 50, Perimeter = 30
Rectangle: Length = 15, Width = 7, Area = 105, Perimeter = 44
Código de ejemplo copiado
Comparte este ejercicio de C#