Dikte etmek için bir nesneyi nasıl çevirebileceğinizi size göstermek için biraz zaman alacağımı düşündüm dict(obj)
.
class A(object):
d = '4'
e = '5'
f = '6'
def __init__(self):
self.a = '1'
self.b = '2'
self.c = '3'
def __iter__(self):
# first start by grabbing the Class items
iters = dict((x,y) for x,y in A.__dict__.items() if x[:2] != '__')
# then update the class items with the instance items
iters.update(self.__dict__)
# now 'yield' through the items
for x,y in iters.items():
yield x,y
a = A()
print(dict(a))
# prints "{'a': '1', 'c': '3', 'b': '2', 'e': '5', 'd': '4', 'f': '6'}"
Bu kodun anahtar kısmı __iter__
işlevdir.
Yorumların açıkladığı gibi, yaptığımız ilk şey Sınıf öğelerini almak ve '__' ile başlayan her şeyi önlemek.
Bunu oluşturduktan dict
sonra, update
dict işlevini kullanabilir ve örneği iletebilirsiniz __dict__
.
Bunlar üyelerin tam bir sınıf + örnek sözlüğünü verecektir. Şimdi geriye kalan tek şey onları tekrarlamak ve getirileri sağlamak.
Ayrıca, bunu çok kullanmayı planlıyorsanız, bir @iterable
sınıf dekoratörü oluşturabilirsiniz .
def iterable(cls):
def iterfn(self):
iters = dict((x,y) for x,y in cls.__dict__.items() if x[:2] != '__')
iters.update(self.__dict__)
for x,y in iters.items():
yield x,y
cls.__iter__ = iterfn
return cls
@iterable
class B(object):
d = 'd'
e = 'e'
f = 'f'
def __init__(self):
self.a = 'a'
self.b = 'b'
self.c = 'c'
b = B()
print(dict(b))