我希望能够将__delitem__
与类级变量一起使用。
我的用例可以找到here(使用_reg_funcs
的答案),但它基本上涉及一个装饰器类,它保存了它所装饰的所有函数的列表。有没有办法让类对象支持__delitem__
?我知道我可以专门为此目的保留一个实例,但我宁愿不必这样做。
class Foo(object):
_instances = {}
def __init__(self, my_str):
n = len(self._instances) + 1
self._instances[my_str] = n
print "Now up to {} instances".format(n)
@classmethod
def __delitem__(cls, my_str):
del cls._instances[my_str]
abcd = Foo('abcd')
defg = Foo('defg')
print "Deleting via instance..."
del abcd['abcd']
print "Done!\n"
print "Deleting via class object..."
del Foo['defg']
print "You'll never get here because of a TypeError: 'type' object does not support item deletion"
答案 0 :(得分:8)
当您编写del obj[key]
时,Python会调用__delitem__
类的obj
方法,而不是obj
。因此del obj[key]
会产生type(obj).__delitem__(obj, key)
。
在您的情况下,这意味着type(Foo).__delitem__(Foo, 'abcd')
。 type(Foo)
为type
,未定义type.__delitem__
。您无法修改type
本身,您需要将Foo
本身的类型更改为具有此功能的内容。
您可以通过定义一个新的元类来实现这一点,它只是type
的子类,然后指示Python使用您的新元类来创建Foo
类(不是Foo
的实例,但Foo
本身。
class ClassMapping(type):
def __new__(cls, name, bases, dct):
t = type.__new__(cls, name, bases, dct)
t._instances = {}
return t
def __delitem__(cls, my_str):
del cls._instances[my_str]
class Foo(object):
__metaclass__ = ClassMapping
def __init__(self, my_str):
n = len(Foo._instances) + 1
Foo._instances[my_str] = n
print "Now up to {} instances".format(n)
将Foo
的元类从type
更改为ClassMapping
,为Foo
提供了
_instances
__delitem__
删除参数的_instances
方法。