我正在开设一个类,需要通过__dict__
注入__init__
属性,如下所示:
class Torrent(Model):
def __init__(self, d):
super(Torrent, self).__init__('torrents')
self.__dict__ = d
并且需要确保不要更改对象的结构,因为实例最终会在NOSQL数据库中结束。我认为__slots__
可能会有所帮助,但我需要动态定义它。
有没有办法可以在没有元类的情况下实现它?
答案 0 :(得分:7)
使用工厂功能:
def GetTorrentClass(slots_iterable):
class Torrent(object):
__slots__ = slots_iterable
return Torrent
请注意,为了使用插槽:
slots_iterable
必须是可迭代的字符串__dict__
的类(即不仅仅__slots__
)现在,你说你需要确保不要改变对象的结构',使用__slots__
并不是解决问题的唯一(也可能不是最好的)解决方案:使用插槽会让你的类更难以在代码中使用。
相反,您可以执行以下操作:
class Torrent(object):
def __init__(self, fields):
self.fields = fields #Fields could be ('field1', 'field2')
def save(self):
for field in self.fields:
self.store_to_db(field, getattr(self, field))
这样,您就可以确保只将实际字段保存到数据库中。
答案 1 :(得分:3)
这应该是你需要的魔力。
def construct_slots(slots):
class SlotClass(object):
__slots__ = slots
def __init__(self, *args, **kwargs):
for slot, arg in zip(SlotClass.__slots__, args):
setattr(self, slot, arg)
for key, value in kwargs:
setattr(self, key, value)
return SlotClass
Torrent = construct_slots(("a",'b','c'))
a = Torrent(1,2,3)
print a.a
print a.b
答案 2 :(得分:0)
__slots__
和__dict__
通常是替代方案。在任何情况下,元类都不会帮助您为实例动态创建它们,除了自定义元类可以放宽对__dict__
赋值的限制(Django已经这样做了)。