Group
Object-Oriented Programming in C#
Objective
- Create a base class "Vehicle" with general attributes like speed, fuel efficiency, and a method to display its details.
- Create a derived class "Car" that inherits from the "Vehicle" class and adds attributes like the number of doors and the type of transmission.
- Implement a method in the "Car" class that simulates driving the car and displays relevant information.
- Create a test program that creates a car object, displays its details, and simulates driving it.
Write a C# program to create a "Car" class that inherits from a "Vehicle" class, adding specific attributes and methods related to the car.
Example C# Exercise
Show C# Code
using System;
public class Vehicle
{
// Vehicle class contains general attributes like speed and fuel efficiency
public double Speed { get; set; }
public double FuelEfficiency { get; set; }
// Constructor to initialize vehicle's attributes
public Vehicle(double speed, double fuelEfficiency)
{
Speed = speed;
FuelEfficiency = fuelEfficiency;
}
// Method to display the details of the vehicle
public void DisplayDetails()
{
Console.WriteLine("Speed: " + Speed + " km/h");
Console.WriteLine("Fuel Efficiency: " + FuelEfficiency + " km/l");
}
}
public class Car : Vehicle
{
// Car class adds specific attributes like the number of doors and transmission type
public int NumberOfDoors { get; set; }
public string Transmission { get; set; }
// Constructor to initialize car-specific attributes, while also calling the base constructor
public Car(double speed, double fuelEfficiency, int numberOfDoors, string transmission)
: base(speed, fuelEfficiency)
{
NumberOfDoors = numberOfDoors;
Transmission = transmission;
}
// Method to simulate driving the car and display its details
public void Drive()
{
Console.WriteLine("The car is now driving at " + Speed + " km/h.");
}
// Method to display the details of the car, including the base vehicle attributes
public void DisplayCarDetails()
{
DisplayDetails(); // Call the base method to display vehicle details
Console.WriteLine("Number of Doors: " + NumberOfDoors);
Console.WriteLine("Transmission Type: " + Transmission);
}
}
class Program
{
static void Main()
{
// Creating a car object and displaying its details
Car myCar = new Car(150, 15, 4, "Automatic");
myCar.DisplayCarDetails();
// Simulating driving the car
myCar.Drive();
}
}
Output
Speed: 150 km/h
Fuel Efficiency: 15 km/l
Number of Doors: 4
Transmission Type: Automatic
The car is now driving at 150 km/h.