Error message that I get is as below:
JavaScript
x
3
1
PS C:Python Tutorials> & C:/Python311/python.exe "c:/Python Tutorials/C_and_O_Electric_Car.py"
2
<bound method Car.get_descriptive_name of <__main__.ElectricCar object at 0x0000021A168CFC90>>
3
Source Code :
JavaScript
1
37
37
1
class Car:
2
"""A simple attempt to represent a car """
3
4
def __init__(self,make,model,year):
5
self.make = make
6
self.model = model
7
self.year = year
8
self.odometer_reading = 0
9
10
def get_descriptive_name(self):
11
"""Return a neatly formatted descriptive name"""
12
long_name = f" {self.year} {self.make} {self.model}"
13
return long_name.title()
14
15
def read_odometer(self):
16
"""Print a statement showing the car's milage."""
17
print(f"This car has {self.odometer_reading} miles on it")
18
19
def update_odometer(self, milage):
20
"""Set the odometer value to the given value
21
Reject the change it it tries to roll the odometer back"""
22
if milage > self.odometer_reading:
23
self.odometer_reading = milage
24
else:
25
print("You cant rollback the odometer!")
26
27
def increment_odometer(self,miles):
28
"""Add the give amount to the odometer reading"""
29
self.odometer_reading += miles
30
31
class ElectricCar(Car):
32
def __init__(self, make, model, year):
33
super().__init__(make,model,year)
34
35
my_tesla = ElectricCar('Tesla','Model S', 2019)
36
print(my_tesla.get_descriptive_name)
37
Advertisement
Answer
This is not an error. It’s printing the correct thing. What you are doing is not calling a function instead printing it as an object as in python everything is an object.
Solution:
JavaScript
1
2
1
print(my_tesla.get_descriptive_name())
2
This will print your desired output i.e “2019 Tesla Model S”