Pomyślałem, że poświęcę trochę czasu, aby pokazać, jak można przetłumaczyć obiekt, za pomocą którego można dyktować 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'}"
Kluczową sekcją tego kodu jest __iter__
funkcja.
Jak wyjaśniają komentarze, pierwszą rzeczą, którą robimy, jest chwytanie przedmiotów klasy i zapobieganie czegokolwiek, co zaczyna się od „__”.
Po utworzeniu dict
możesz użyć update
funkcji dict i przekazać instancję __dict__
.
To da ci pełny słownik klasy + instancji członków. Teraz pozostaje tylko iterować nad nimi i przynosić zyski.
Ponadto, jeśli planujesz dużo tego używać, możesz stworzyć @iterable
dekorator zajęć.
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))