Group
Object-Oriented Programming in C#
Objective
1. Create a new class Rectangle with the following attributes:
- Length (double)
- Width (double)
2. Implement a constructor to initialize the rectangle's length and width.
3. Provide a method ToString to return a string representation of the rectangle, including its length, width, area, and perimeter.
4. Implement the GetArea method to calculate the area of the rectangle.
5. Implement the GetPerimeter method to calculate the perimeter of the rectangle.
6. Test the Rectangle class in the main program by creating a few rectangles with different dimensions and displaying their details.
Create a rectangle class that calculates area and perimeter, displays details, and allows modification of length and width.
Example C# Exercise
Show C# Code
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