你知道是否有一个内置函数来从任意对象构建一个字典?我想做这样的事情:
>>> class Foo: ... bar = 'hello' ... baz = 'world' ... >>> f = Foo() >>> props(f) { 'bar' : 'hello', 'baz' : 'world' }
注意:它不应包括方法.只有字段.
请注意,Python 2.7中的最佳实践是使用新式类(Python 3不需要),即
class Foo(object): ...
此外,"对象"和"类"之间存在差异.要从任意对象构建字典,只需使用即可__dict__
.通常,您将在类级别声明您的方法,在实例级别声明您的属性,所以__dict__
应该没问题.例如:
>>> class A(object):
... def __init__(self):
... self.b = 1
... self.c = 2
... def do_nothing(self):
... pass
...
>>> a = A()
>>> a.__dict__
{'c': 2, 'b': 1}
一个更好的方法(罗伯特在评论中建议)是内置vars
函数:
>>> vars(a)
{'c': 2, 'b': 1}
或者,根据您想要做的事情,继承可能会很好dict
.然后你的类已经是一个字典了,如果你想要你可以覆盖getattr
和/或setattr
调用并设置字典.例如:
class Foo(dict): def __init__(self): pass def __getattr__(self, attr): return self[attr] # etc...
而不是x.__dict__
,它实际上更加pythonic使用vars(x)
.
该dir
内置会给你对象的所有属性,包括特殊的方法,如__str__
,__dict__
和一大堆其他的,你可能不希望.但你可以这样做:
>>> class Foo(object): ... bar = 'hello' ... baz = 'world' ... >>> f = Foo() >>> [name for name in dir(f) if not name.startswith('__')] [ 'bar', 'baz' ] >>> dict((name, getattr(f, name)) for name in dir(f) if not name.startswith('__')) { 'bar': 'hello', 'baz': 'world' }
所以可以通过定义你的props
函数来扩展它只返回数据属性而不是方法:
import inspect def props(obj): pr = {} for name in dir(obj): value = getattr(obj, name) if not name.startswith('__') and not inspect.ismethod(value): pr[name] = value return pr
我已经结合两个答案来解决:
dict((key, value) for key, value in f.__dict__.iteritems() if not callable(value) and not key.startswith('__'))
要从任意对象构建字典,只需使用即可
__dict__
.
这会遗漏对象从其类继承的属性.例如,
class c(object): x = 3 a = c()
hasattr(a,'x')为真,但'x'不出现在.__ dict__中
我想我会花一些时间向你展示你如何将一个物体翻译成dict via 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'}"
这段代码的关键部分是__iter__
函数.
正如评论所解释的那样,我们要做的第一件事就是抓住Class项并阻止任何以'__'开头的内容.
一旦你创建了它dict
,那么你可以使用update
dict函数并传入实例__dict__
.
这些将为您提供完整的成员类+实例字典.现在剩下的就是迭代它们并产生回报.
此外,如果您打算大量使用它,您可以创建一个@iterable
类装饰器.
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))
迟到的答案,但提供了完整性和googlers的好处:
def props(x): return dict((key, getattr(x, key)) for key in dir(x) if key not in dir(x.__class__))
这不会显示在类中定义的方法,但它仍将显示包括分配给lambdas的字段或以双下划线开头的字段.