当前位置:  开发笔记 > 编程语言 > 正文

来自对象字段的Python字典

如何解决《来自对象字段的Python字典》经验,为你挑选了7个好方法。

你知道是否有一个内置函数来从任意对象构建一个字典?我想做这样的事情:

>>> class Foo:
...     bar = 'hello'
...     baz = 'world'
...
>>> f = Foo()
>>> props(f)
{ 'bar' : 'hello', 'baz' : 'world' }

注意:它不应包括方法.只有字段.



1> 小智..:

请注意,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...


对不起,我来这么晚了,但不应该`vars(a)`做到这一点?对我来说,最好直接调用`__dict__`.
如果对象使用插槽(或在C模块中定义),则`__dict__`将不起作用.
如果A的一个属性具有自定义吸气剂会发生什么?(带有@property装饰器的函数)?它仍然显示在____dict____吗?它的价值是什么?
对于第二个示例,最好执行__getattr__ = dict .__ getitem__`来精确复制行为,然后您还希望`__setattr__ = dict .__ setitem__`和`__delattr__ = dict .__ delitem__`以获得完整性。

2> Berislav Lop..:

而不是x.__dict__,它实际上更加pythonic使用vars(x).


同意.请注意,您还可以通过键入`MyClass(**my_dict)`来转换另一种方式(dict-> class),假设您已经定义了一个带有镜像类属性的参数的构造函数.无需访问私有属性或覆盖dict.

3> dF...:

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



4> Julio César..:

我已经结合两个答案来解决:

dict((key, value) for key, value in f.__dict__.iteritems() 
    if not callable(value) and not key.startswith('__'))



5> indentation..:

要从任意对象构建字典,只需使用即可__dict__.

这会遗漏对象从其类继承的属性.例如,

class c(object):
    x = 3
a = c()

hasattr(a,'x')为真,但'x'不出现在.__ dict__中


构建字典,只需使用即可

6> Seaux..:

我想我会花一些时间向你展示你如何将一个物体翻译成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,那么你可以使用updatedict函数并传入实例__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))



7> Score_Under..:

迟到的答案,但提供了完整性和googlers的好处:

def props(x):
    return dict((key, getattr(x, key)) for key in dir(x) if key not in dir(x.__class__))

这不会显示在类中定义的方法,但它仍将显示包括分配给lambdas的字段或以双下划线开头的字段.

推荐阅读
跟我搞对象吧
这个屌丝很懒,什么也没留下!
DevBox开发工具箱 | 专业的在线开发工具网站    京公网安备 11010802040832号  |  京ICP备19059560号-6
Copyright © 1998 - 2020 DevBox.CN. All Rights Reserved devBox.cn 开发工具箱 版权所有