Python编程从入门到实践 第9章9.3.3给子类型定义属性方法,以下程序总是报错,子类没有增加的battery_size.


class Car():
    """一次模拟汽车的简单尝试"""

    def __init__(self, make, model, year):
        """初始化描述汽车的属性"""
        self.make = make
        self.model = model
        self.year = year
       
    def get_descriptive_name(self):
        """返回整洁的描述性信息"""
        long_name = str(self.year) + ' ' + self.make + ' ' + self.model
        return long_name.title()

      
class ElectricCar(Car):
    """电动汽车的独特之处"""

    def __int__(self, make, model, year):
        """初始化父类的属性,再初始化电动汽车特有的属性"""
        super().__init__(make, model, year)
        self.battery_size = 70

    def describe_battery(self):
        """打印一条描述电瓶容量的消息"""
        print("This car has a " + str(self.battery_size) + "-kWh battery.")

my_tesla = ElectricCar('tesla', 'model s', 2016)
print(my_tesla.get_descriptive_name())
my_tesla.describe_battery()

计算结果:
2016 Tesla Model S
Traceback (most recent call last):
File "c:\Users\xxxxxxx\Desktop\PythonEX\test000000001.py", line 30, in
my_tesla.describe_battery()
print("This car has a " + str(self.battery_size) + "-kWh battery.")
AttributeError: 'ElectricCar' object has no attribute 'battery_size'

代码的第20行,子类的初始化函数名拼写错误,应该是 init ,你写成了 int。或者是书里印错了?

    def __init__(self, make, model, year):