Python开发第七章:Python面向对象进阶

Posted 连长

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Python开发第七章:Python面向对象进阶相关的知识,希望对你有一定的参考价值。

静态方法

  通过@staticmethod装饰器即可把其装饰的方法变为一个静态方法,什么是静态方法呢?其实不难理解,普通的方法,可以在实例化后直接调用,并且在方法里可以通过self.调用实例变量或类变量,但静态方法是不可以访问实例变量类变量的,一个不能访问实例变量和类变量的方法,其实相当于跟类本身已经没什么关系了,它与类唯一的关联就是需要通过类名来调用这个方法

#静态方法
class Schoolmate(object):
    def __init__(self, name):
        self.name = name

    @staticmethod    # 把eat方法变为静态方法
    def eat(self):
        print("%s is eating" % self.name)


p= Schoolmate("LianZhiLei")
p.eat()

# Traceback (most recent call last):
#   File "C:/Users/L/PycharmProjects/s14/class/Day7/staticmothod.py", line 16, in <module>
#     p.eat()
#TypeError: eat() missing 1 required positional argument: ‘self‘

上面的调用会出以下错误,说是eat需要一个self参数,但调用时却没有传递,没错,当eat变成静态方法后,再通过实例调用时就不会自动把实例本身当作一个参数传给self了。

想让上面的代码可以正常工作有两种办法

  • 调用时主动传递实例本身给eat方法,即p.eat(p) 
  • 在eat方法中去掉self参数,但这也意味着,在eat中不能通过self.调用实例中的其它变量了
#静态方法
class Schoolmate(object):
    def __init__(self, name):
        self.name = name

    @staticmethod    # 把eat方法变为静态方法
    def eat(self):
        print("%s is eating" % self.name)

p= Schoolmate("LianZhiLei")
p.eat(p)

#LianZhiLei is eating

#静态方法
class Schoolmate(object):
    def __init__(self, name):
        self.name = name

    @staticmethod    # 把eat方法变为静态方法
    def eat():
        print("is eating")

p= Schoolmate("LianZhiLei")
p.eat()

#is eating

  

类方法

  类方法顾名思义跟类有关,类方法通过@classmethod装饰器实现,类方法和普通方法的区别是, 类方法只能访问类变量,不能访问实例变量

#类方法
class Schoolmate(object):
    def __init__(self, name):
        self.name = name

    @classmethod   # 把eat方法变为类方法
    def eat(self):
        print("%s is eating" % self.name)

p= Schoolmate("LianZhiLei")
p.eat()

# Traceback (most recent call last):
#   File "C:/Users/L/PycharmProjects/s14/class/Day7/classmothod.py", line 15, in <module>
#     p.eat()
#   File "C:/Users/L/PycharmProjects/s14/class/Day7/classmothod.py", line 12, in eat
#     print("%s is eating" % self.name)
# AttributeError: type object ‘Schoolmate‘ has no attribute ‘name‘

执行报错如下,说schoolmat没有name属性,这是因为name是个实例变量,类方法是不能访问实例变量的,只能访问类变量

#类方法
class Schoolmate(object):
    name = ("Schoolmat的类变量")
    def __init__(self, name):
        self.name = name

    @classmethod   # 把eat方法变为类方法
    def eat(self):
        print("%s is eating" % self.name)

p= Schoolmate("LianZhiLei")
p.eat()

# Schoolmat的类变量 is eating

此时可以定义一个类变量,变量名为name即可解决

 

属性方法

  属性方法的作用就是通过@property把一个方法变成一个静态属性,这个蛮有用的,后面课程会涉及到,先看代码

 

以上是关于Python开发第七章:Python面向对象进阶的主要内容,如果未能解决你的问题,请参考以下文章

Python基础-第七天-面向对象编程进阶和Socket编程简介

Python学习笔记——基础篇第七周———FTP作业(面向对象编程进阶 & Socket编程基础)

python第七周-面向对象编程进阶

python基础-第七篇-7.2面向对象(进阶篇)

Python之路第七篇--Python基础之面向对象及相关

Python开发第七篇: 面向对象和模块补充