7

我经常使用成语'{var_name}'.format(**vars(some_class))

但是,当我使用属性时,我无法使用它来获取属性值。

考虑这个程序:

#!/usr/bin/env python

class Foo(object):
    def __init__(self):
        self._bar = None
        self.baz = 'baz here'

    @property
    def bar(self):
        if not self._bar:
            # calculate some value...
            self._bar = 'bar here'
        return self._bar

if __name__ == '__main__':
    foo = Foo()

    # works:
    print('{baz}'.format(**vars(foo)))

    # gives: KeyError: 'bar'
    print('{bar}'.format(**vars(foo)))

问题:

有没有办法让属性值可以通过**vars(some_class)

4

5 回答 5

7

简短的回答:不,不可能用来.format(**vars(object))做你想做的事,因为属性使用__dict__并且来自vars文档:

vars(...)

vars([object])-> 字典

  • 没有参数,相当于locals().
  • 带参数,等价于object.__dict__

但是,您可以使用不同的格式说明符来实现您想要的,例如属性查找:

In [2]: '{.bar}'.format(Foo())
Out[2]: 'bar here'

请注意,您只需.在名称中添加一个前导(点),就可以得到您想要的。


旁注:而不是使用.format(**vars(object))您应该使用以下format_map方法:

In [6]: '{baz}'.format_map(vars(Foo()))
Out[6]: 'baz here'

format_map使用参数调用dict等效于format使用**符号调用,但它更有效,因为它在调用函数之前不必进行任何类型的解包。

于 2013-09-04T11:53:04.073 回答
1

要完全按照您的要求进行操作,您可以编写一个将项目访问转换为属性访问的类:

class WrapperDict(object):
    def __init__(self, obj):
        self.obj = obj
    def __getitem__(self, key):
        return getattr(self.obj, key)

例子:

>>> print('{bar}'.format_map(WrapperDict(Foo())))
bar here

另一个相当老套的选择是添加

__getitem__ = object.__getattribute__

到类Foo,然后Foo直接使用实例:

>>> print('{bar}'.format_map(Foo()))
bar here

我认为使用属性访问表示法是更好的解决方案。

于 2013-09-04T13:01:00.013 回答
1

使用.符号 -

print('{0._bar}'.format(foo))

于 2013-09-04T11:05:41.243 回答
0

If I understood you correct, something like this should work:

print( eval( 'foo.{bar}'.format( **dict( ( v, v ) for v in dir( foo ) ) ) ) )

But nevertheless this feels somehow "very bad".

于 2013-09-04T11:11:55.453 回答
0

您可以将其写入__dict__您的实例

class Article(object):
    def __init__(self):
        self.content = ""
        self.url = ""

    @property
    def title(self):
        return self.__dict__.get("title", "")

    @title.setter
    def title(self, title):
        self.__dict__["title"] = title

然后:

>>> article = Article()
>>> article.title = "Awesome Title"
>>> vars(article)
{'content': '', 'url': '', 'title': 'Awesome Title'}
于 2018-04-15T15:22:57.263 回答