欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

小猿圈python学习-类方法、静态方法

程序员文章站 2022-05-09 21:17:27
...

类方法
类方法通过@classmethod装饰器实现,类方法和普通方法的区别是, 类方法只能访问类变量,不能访问实例变量

class Dog(object):
def init(self, name):
self.name = name
@classmethod
def eat(self):
print("%s is eating" % self.name)
d = Dog(“Mjj”)
d.eat()
执行报错如下,说Dog没有name属性,因为name是个实例变量,类方法是不能访问实例变量的

Traceback (most recent call last):
File “/Users/alex/PycharmProjects/apeland_py_learn/day6_面向对象进阶/类方法.py”, line 11, in
d.eat()
File “/Users/alex/PycharmProjects/apeland_py_learn/day6_面向对象进阶/类方法.py”, line 7, in eat
print("%s is eating" % self.name)
AttributeError: type object ‘Dog’ has no attribute ‘name’
此时可以定义一个类变量,也叫name,看下执行效果

class Dog(object):
name = “我是类变量”
def init(self, name):
self.name = name
@classmethod
def eat(self):
print("%s is eating" % self.name)
d = Dog(“Mjj”)
d.eat()
输出
我是类变量 is eating
类方法的应用场景举例
现有一个Student类, 每生成一个Student实例,学生总数就自动+1,

class Student(object):
stu_num = 0 # 学员计数需存在类变量里,不能存在每个实例里,因为每个实例的内存是独立的,每实例化一次,数据就会被重置一次,不会累加
def init(self,name):
self.name = name
self.stu_num += 1
print(“total student num:”,self.stu_num)
s1 = Student(“张1”)
s2 = Student(“张2”)
s3 = Student(“张3”)
s4 = Student(“张4”)
执行输出

total student num: 1
total student num: 1
total student num: 1
total student num: 1
为何每次都是1呢? 不应该累加么?

self.stu_num += 1 ,相当于对每个实例进行了一次赋值, 因为self代表实例本身,self.stu_num += 1 相当于s1.stu_num =1 , s2.stu_num = 1 …, 把这句代码改成如下就可以

def __init__(self,name):
    self.name = name
    Student.stu_num += 1  # 直接用类名调用
    print("total student num:",self.stu_num)

输出

total student num: 1
total student num: 2
total student num: 3
total student num: 4
由于stu_num是每增加一个学员才加1的,不应该允许直接Student.stu_num+=1,不安全。可以封装成私有变量,再通过类方法调用并计数

class Student(object):
__stu_num = 0 # 学员计数需存在类变量里,不能存在每个实例里
def init(self,name):
self.name = name
self.add_stu_num() # 相当于Student.add_stu_num() 初始化学员时调用
@classmethod
def add_stu_num(cls): # 注意这里调用时传进来的其实是类本身,不是实例本身,所以参数名一般改为cls
cls.__stu_num += 1
print(“total student num:”,cls.__stu_num)
s1 = Student(“张1”)
s2 = Student(“张2”)
s3 = Student(“张3”)
s4 = Student(“张4”)
Student.add_stu_num() # 也可以这样调
静态方法
通过@staticmethod装饰器即可把其装饰的方法变为一个静态方法,什么是静态方法呢?其实不难理解,普通的方法,可以在实例化后直接调用,并且在方法里可以通过self.调用实例变量或类变量,但静态方法是不可以访问实例变量或类变量的,一个不能访问实例变量和类变量的方法,其实相当于跟类本身已经没什么关系了,它与类唯一的关联就是需要通过类名来调用这个方法

class Student(object):
stu_num = 0
def init(self,name):
self.name = name
@staticmethod
def fly(self):
print("%s is flying…" % self.name)
print(self.stu_num)
s = Student(“Mjj”)
s.fly()
上面的调用会出以下错误,说是fly需要一个self参数,但调用时却没有传递,没错,当fly变成静态方法后,再通过实例调用时就不会自动把实例本身当作一个参数传给self了。

Traceback (most recent call last):
File “/day6_面向对象进阶/静态方法.py”, line 17, in
s.fly()
TypeError: fly() missing 1 required positional argument: ‘self’
想让上面的代码可以正常工作有两种办法

  1. 调用时主动传递实例本身给fly方法,即s.fly(s)

  2. 在fly方法中去掉self参数,但这也意味着,在fly中不能通过self.调用实例中的其它变量了