10

我有使用@property装饰器设置属性的类。它们使用其中的 try 和 except 子句充当 getter 和 setter。如果未设置属性,它将从数据库中获取数据并使用它来实例化来自其他类的对象。我试图使示例简短,但是用于实例化属性对象的代码对于每个属性都略有不同。它们的共同点是一开始的 try-except。

class SubClass(TopClass):

    @property
    def thing(self):
        try:
            return self._thing
        except AttributeError:
            # We don't have any thing yet
            pass
        thing = get_some_thing_from_db('thing')
        if not thing:
            raise AttributeError()
        self._thing = TheThing(thing)
        return self._thing

    @property
    def another_thing(self):
        try:
            return self._another_thing
        except AttributeError:
            # We don't have things like this yet
            pass
        another_thing = get_some_thing_from_db('another') 
        if not another_thing:
            raise AttributeError()
        self._another_thing = AnotherThing(another_thing)
        return self._another_thing

    ...etc...

    @property
    def one_more_thing(self):
        try:
            return self._one_more_thing
        except AttributeError:
            # We don't have this thing yet
            pass
        one_thing = get_some_thing_from_db('one') 
        if not one_thing:
            raise AttributeError()
        self._one_more_thing = OneThing(one_thing)
        return self._one_more_thing

我的问题:这是一种正确的(例如pythonic)做事方式吗?对我来说,在所有内容之上添加 try-except-segment 似乎有点尴尬。另一方面,它使代码保持简短。或者有没有更好的方法来定义属性?

4

1 回答 1

18

只要您至少使用 Python 3.2,请使用functools.lru_cache()装饰器。

import functools
class SubClass(TopClass):

    @property
    @functools.lru_cache()
    def thing(self):
        thing = get_some_thing_from_db('thing')
        if not thing:
            raise AttributeError()
        return TheThing(thing)

一个可快速运行的示例:

>>> import functools
>>> class C:
    @property
    @functools.lru_cache()
    def foo(self):
        print("Called foo")
        return 42


>>> c = C()
>>> c.foo
Called foo
42
>>> c.foo
42

如果你有很多这些,你可以组合装饰器:

>>> def lazy_property(f):
    return property(functools.lru_cache()(f))

>>> class C:
    @lazy_property
    def foo(self):
        print("Called foo")
        return 42


>>> c = C()
>>> c.foo
Called foo
42
>>> c.foo
42

如果您仍在使用旧版本的 Python,则在ActiveState上有一个功能齐全的 lru_cache 反向移植,尽管在这种情况下,您在调用它时没有传递任何参数,您可能可以用更简单的东西替换它。

@YAmikep 询问如何访问cache_info(). lru_cache有点乱,不过还是可以通过属性对象来访问的:

>>> C.foo.fget.cache_info()
CacheInfo(hits=0, misses=1, maxsize=128, currsize=1)
于 2013-04-19T07:53:00.297 回答