5

我有类似的东西:

from attr import attrs, attrib

@attrs
class Foo():
    max_count = attrib()
    @property
    def get_max_plus_one(self):
         return self.max_count + 1

现在当我这样做时:

f = Foo(max_count=2)
f.get_max_plus_one =>3

我想将其转换为 dict:

{'max_count':2, 'get_max_plus_one': 3}

当我使用时,attr.asdict(f)我没有得到@property. 我只得到 {'max_count':2}.

实现上述目标的最干净方法是什么?

4

4 回答 4

3

通常,您必须遍历属性并检查实例,property然后__get__使用实例调用属性方法。所以,像:

In [16]: class A:
    ...:     @property
    ...:     def x(self):
    ...:         return 42
    ...:     @property
    ...:     def y(self):
    ...:         return 'foo'
    ...:

In [17]: a = A()

In [18]: vars(a)
Out[18]: {}

In [19]: a.x
Out[19]: 42

In [20]: a.y
Out[20]: 'foo'

In [21]: {n:p.__get__(a) for n, p in vars(A).items() if isinstance(p, property)}
Out[21]: {'x': 42, 'y': 'foo'}
于 2018-08-07T19:26:07.250 回答
2

恐怕目前还不支持attrs。您可能想在https://github.com/python-attrs/attrs/issues/353上关注/评论,这可能最终会为您提供您想要的。

于 2018-08-08T06:17:57.063 回答
1

对于这种情况,您可以dir在对象上使用,并且只获取不以 ie 开头的属性,__即忽略魔术方法:

In [496]: class Foo():
     ...:     def __init__(self):
     ...:         self.max_count = 2
     ...:     @property
     ...:     def get_max_plus_one(self):
     ...:          return self.max_count + 1
     ...:     

In [497]: f = Foo()

In [498]: {prop: getattr(f, prop) for prop in dir(f) if not prop.startswith('__')}
Out[498]: {'get_max_plus_one': 3, 'max_count': 2}

要处理不以 开头的常规方法__,您可以添加一个callable测试:

In [521]: class Foo():
     ...:     def __init__(self):
     ...:         self.max_count = 2
     ...:     @property
     ...:     def get_max_plus_one(self):
     ...:          return self.max_count + 1
     ...:     def spam(self):
     ...:         return 10
     ...:     

In [522]: f = Foo()

In [523]: {prop: getattr(f, prop) for prop in dir(f) if not (prop.startswith('__') or callable(getattr(Foo, prop, None)))}
Out[523]: {'get_max_plus_one': 3, 'max_count': 2}
于 2018-08-07T19:25:24.873 回答
0

如果你定义:

import attr

def attr2dict(inst):
    dic = attr.asdict(inst)
    dic.update({n: p.__get__(inst) for n, p in vars(type(inst)).items() if isinstance(p, property)})
    return dic

然后你得到你正在寻找的东西:

>>> attr2dict(f)
{'max_count': 2, 'get_max_plus_one': 3}
于 2021-01-25T13:21:22.213 回答