Here's a simple implementation of a Car
class in Python that meets the specified requirements:
class Car:
def __init__(self, make: str, model: str, year: int, speed: float = 0):
self.make = make # string
self.model = model # string
self.year = year # integer
self.speed = speed # float
def accelerate(self, increase: float):
"""Increase the speed of the car by a specified amount."""
self.speed += increase
def brake(self, decrease: float):
"""Decrease the speed of the car by a specified amount."""
self.speed -= decrease
if self.speed < 0:
self.speed = 0 # Prevent negative speed
def get_speed(self) -> float:
"""Return the current speed of the car."""
return self.speed
def __eq__(self, other):
"""Compare two Car objects based on make, model, and year."""
return (self.make == other.make and
self.model == other.model and
self.year == other.year)
def display_info(self):
"""Display information about the car."""
print(f"{self.year} {self.make} {self.model}, Speed: {self.speed} km/h")
# Instantiate three Car objects
car1 = Car("Toyota", "Camry", 2023)
car2 = Car("Honda", "Accord", 2023)
car3 = Car("Toyota", "Camry", 2023)
# Use the accelerate method and display information
car1.accelerate(50)
car1.display_info()
# Use the brake method
car1.brake(20)
car1.display_info()
# Testing the get_speed method
current_speed = car1.get_speed()
print(f"The current speed of {car1.make} {car1.model} is {current_speed} km/h")
# Test the eq method
if car1 == car3:
print(f"{car1.make} {car1.model} and {car3.make} {car3.model} are the same car.")
else:
print(f"{car1.make} {car1.model} and {car3.make} {car3.model} are different cars.")
if car1 == car2:
print(f"{car1.make} {car1.model} and {car2.make} {car2.model} are the same car.")
else:
print(f"{car1.make} {car1.model} and {car2.make} {car2.model} are different cars.")
Breakdown of the Implementation:
-
Attributes:
make
(str): The manufacturer of the car.model
(str): The model of the car.year
(int): The year of manufacture.speed
(float, default 0): The current speed of the car.
-
Methods:
accelerate
: Increases the speed by a specified amount.brake
: Decreases the speed by a specified amount, ensuring it doesn't go negative.get_speed
: Returns the current speed of the car.__eq__
: Compares two Car objects based on their attributes.display_info
: Prints out the information about the car.
-
Object Instantiation:
- Three different
Car
objects are instantiated.
- Three different
-
Usage of Methods:
- The
accelerate
andbrake
methods modify thespeed
of the first car. - The
get_speed
method retrieves the current speed. - The
display_info
method outputs information about the car. - The
__eq__
method is tested on two pairs of cars to compare their attributes.
- The
This class structure is simple, clear, and follows the requirements provided.