Python学习笔记8:self参数

示例:
编写一个汽车类,包含三个函数:构造函数,行驶速度和基础信息函数:

class Car:

    def __init__(self, brand, color):
        self.brand = brand
        self.color = color

    def run(self, s):
        print("当前行驶速度: ", s, "km/h")

    def print_car(self):
        print("品牌:", self.brand, " , 颜色: ", self.color)
        
if __name__ == '__main__':
    c = Car("宝马", "黑色")
    c.run(120)
    c.print_car()   

这里会发现,每个函数的第一个参数都是self,而在调用的时候,并没有传值给self,这其实是Python规定的类的方法必须要有的一个参数,并没有什么特殊意义,在调用时候也不需要给他传值

可以为示例Car类添加一个print_self方法查看self到底是什么:

class Car:

    def __init__(self, brand, color):
        self.brand = brand
        self.color = color

    def run(self, s):
        print("当前行驶速度: ", s, "km/h")

    def print_car(self):
        print("品牌:", self.brand, " , 颜色: ", self.color)

    def print_self(self):
        print(self)
        print(self.__class__)
        
if __name__ == '__main__':
    c = Car("宝马", "黑色")
    c.print_self()

输出:

<__main__.Car object at 0x100ca7590>
<class '__main__.Car'>

从以上输出结果可以看出,self代表当前类的实例,而self.__class__就是Car类。

你可能感兴趣的:(Python)