将属性添加到现有对象实例

时间:2018-01-25 16:49:21

标签: python

我想创建一个具有某些属性的对象。我想动态添加它们。与Adding a Method to an Existing Object Instance类似,但随后使用属性而不是方法。一个简单的例子如下。

我喜欢动态创建:

class A():
    @property
    def a(self):
        return self._a
    @a.setter
    def a(self, x):
        self._a = 10*x

    @property
    def b(self):
        return self._b
    @b.setter
    def b(self, x):
        self._b = 10*x

要使用方法执行此操作,我会这样做:

class B():
    def __init__(self):
        for i in range(70,80):
            self.__dict__[chr(i)] = types.MethodType(lambda self,x: x*i, self)

对于我尝试的属性:

class B():
    def __init__(self):
        for i in range(70,80):
            def tmp(self, x):
                self._x = i*x
            self.__dict__[chr(i)] = property(fget=lambda self: self._i, fset=tmp)

我也找到了types.DynamicClassAttribute,但我不确定这是否会有所帮助。

这里询问一个相关的问题,关于向类中添加属性(在python 2中): Dynamically adding @property in python。我不知道如何将它扩展到类的实例。

背景

我想写一个"驱动程序"使lantz项目通过PyPylon包装器使用相机。相机有一些属性,事先不知道。我想将所有属性添加为Feats(由lantz提供的一些装饰器,看起来类似于属性:它有一个getter和一个setter)。

编辑:它看起来像How to add property to a class dynamically?是同一个问题

1 个答案:

答案 0 :(得分:0)

This comment给出了答案。

follow函数(受1启发)将属性添加到类的单个实例。它是通过动态创建一个新类来实现的。

def attach_dyn_propr(instance, prop_name, propr):
    """Attach property proper to instance with name prop_name.

    Reference: 
      * https://stackoverflow.com/a/1355444/509706
      * https://stackoverflow.com/questions/48448074
    """
    class_name = instance.__class__.__name__ + 'Child'
    child_class = type(class_name, (instance.__class__,), {prop_name: propr})

    instance.__class__ = child_class

示例和测试:

def getter(self): print('Get!')
def setter(self, value): print('Set to {!r}!'.format(value))
def deleter(self): print('Delete!')
prop = property(getter, fset=setter, fdel=deleter)

class Foo: pass
foo = Foo()
foo2 = Foo()
attach_dyn_propr(foo, 'p', prop)

foo.p
foo2.p

... Get
... AttributeError: 'Foo' object has no attribute 'p'