PythonPython

动态添加属性和方法

2017-06-16  本文已影响162人  柏丘君

Python 作为一门动态语言,我们可以动态的给对象添加属性或方法,而不是必须一开始就在类中声明好。关于动态添加属性和方法,本文总结了以下几个点:

动态添加对象属性

直接使用 对象.属性名 = 属性值 进行添加:

class Demo(object):
    pass

d = Demo()
d.test = "我是动态添加的"
print(d.test)

运行结果:

我是动态添加的

动态添加类属性

同上,直接使用 类名.属性名 = 属性值 进行添加:

class Demo(object):
    pass

d = Demo()
Demo.desc = "我是 Demo 类"
print(Demo.desc)
print(d.desc)

运行结果:

我是 Demo 类
我是 Demo 类

动态添加对象方法

由于 Python 实例方法规定第一个参数必须是当前实例的一个引用,所以我们需要在调用方法时将当前的实例传入,可以有两种实现方式:

先看第一种方式:

class Demo(object):
    def __init__(self,desc):
        self.desc = desc

def show(self):
    return self.desc

d = Demo("我是 demo")
d.show = show
print(d.show(d))

运行结果:

我是 demo

这种方式的缺点是每次调用 show 方法时都需要传入当前实例引用,我们还可以使用 types 模块中的 MethodType 方法进行一次性绑定:

from types import MethodType

class Demo(object):
    def __init__(self,desc):
        self.desc = desc

def show(self):
    return self.desc

d = Demo("我是 demo")
# 使用 MethodType 方法动态绑定实例方法
d.show = MethodType(show,d)
print(d.show())

运行结果:

我是 demo

动态添加类方法

动态添加类方法,只需在使用 @classmethod 装饰器装饰相应的方法,再添加给类对象:

class Demo(object):
    pass

@classmethod
def desc(cls):
    print("我是类方法")

Demo.desc = desc;

Demo.desc()
Demo().desc()

运行结果:

我是类方法
我是类方法

动态添加静态方法

和动态添加类方法的方式一样,目标方法使用 @staticmethod 装饰器装饰即可:

class Demo(object):
    pass

@staticmethod
def desc():
    print("我是静态方法")

Demo.desc = desc;

Demo.desc()
Demo().desc()

运行结果:

我是静态方法
我是静态方法

__slots__

如果我们不想让对象动态添加属性或方法,可以使用 __slots__ 类属性加以限制,该属性是一个元组,元组中的元素是被允许添加的属性或方法名,在允许列表之外的方法和属性名无法被添加。

from types import MethodType

class Demo(object):
    # 对添加的属性或方法进行限制
    __slots__ = ("desc","show")

def show(self):
    return self.desc

d = Demo()
d.desc = "我是一个小对象"
d.show = MethodType(show,d)

print(d.show())

运行结果:

我是一个小对象

如果我们尝试添加不被运行的方法或属性,会引发异常:

from types import MethodType

class Demo(object):
    # 对添加的属性或方法进行限制
    __slots__ = ("desc","show")

d = Demo()
d.test = "Test"

运行结果:

Traceback (most recent call last):
  File "C:\Users\Charley\Desktop\py\py.py", line 8, in <module>
    d.test = "Test"
AttributeError: 'Demo' object has no attribute 'test'

完。

上一篇下一篇

猜你喜欢

热点阅读