7

プロパティのように機能するデコレータを作成したいのですが、装飾された関数を一度だけ呼び出し、その後の呼び出しでは常に最初の呼び出しの結果を返します。例:

def SomeClass(object):
    @LazilyInitializedProperty
    def foo(self):
        print "Now initializing"
        return 5

>>> x = SomeClass()
>>> x.foo
Now initializing
5
>>> x.foo
5

私の考えは、このためのカスタム デコレータを作成することでした。だから私は始めました、そしてこれは私がどこまで来たかです:

class LazilyInitializedProperty(object):
    def __init__(self, function):
        self._function = function

    def __set__(self, obj, value):
        raise AttributeError("This property is read-only")

    def __get__(self, obj, type):
        # problem: where to store the value once we have calculated it?

ご覧のとおり、キャッシュされた値をどこに保存するかわかりません。最も簡単な解決策は辞書を維持することのようですが、これにはもっと洗練された解決策があるのではないかと思っています。

編集申し訳ありませんが、プロパティを読み取り専用にしたいことを忘れていました。

4

1 に答える 1

15

Denis Otkidach の CachedAttributeは、属性を遅延させるメソッド デコレーターです (1 回計算すると、複数の属性にアクセスできます)。読み取り専用にするために、__set__メソッドを追加しました。再計算する機能を保持するために (以下を参照)、__delete__メソッドを追加しました。

class ReadOnlyCachedAttribute(object):    
    '''Computes attribute value and caches it in the instance.
    Source: Python Cookbook 
    Author: Denis Otkidach https://stackoverflow.com/users/168352/denis-otkidach
    This decorator allows you to create a property which can be computed once and
    accessed many times. Sort of like memoization
    '''
    def __init__(self, method, name=None):
        self.method = method
        self.name = name or method.__name__
        self.__doc__ = method.__doc__
    def __get__(self, inst, cls): 
        if inst is None:
            return self
        elif self.name in inst.__dict__:
            return inst.__dict__[self.name]
        else:
            result = self.method(inst)
            inst.__dict__[self.name]=result
            return result    
    def __set__(self, inst, value):
        raise AttributeError("This property is read-only")
    def __delete__(self,inst):
        del inst.__dict__[self.name]

例えば:

if __name__=='__main__':
    class Foo(object):
        @ReadOnlyCachedAttribute
        # @read_only_lazyprop
        def bar(self):
            print 'Calculating self.bar'  
            return 42
    foo=Foo()
    print(foo.bar)
    # Calculating self.bar
    # 42
    print(foo.bar)    
    # 42
    try:
        foo.bar=1
    except AttributeError as err:
        print(err)
        # This property is read-only
    del(foo.bar)
    print(foo.bar)
    # Calculating self.bar
    # 42

CachedAttribute(および ReadOnlyCachedAttribute) の優れた点の 1 つはdel foo.bar、次にアクセスfoo.barしたときに値が再計算されることです。(この魔法は、 がからdel foo.bar削除されますが、プロパティ は に残るという事実によって可能になります。)'bar'foo.__dict__barFoo.__dict__

この機能を再計算する必要がない、またはしたくない場合は、次の ( Mike Boers の lazypropに基づく) は、読み取り専用の遅延プロパティを作成する簡単な方法です。

def read_only_lazyprop(fn):
    attr_name = '_lazy_' + fn.__name__
    @property
    def _lazyprop(self):
        if not hasattr(self, attr_name):
            setattr(self, attr_name, fn(self))
        return getattr(self, attr_name)
    @_lazyprop.setter
    def _lazyprop(self,value):
        raise AttributeError("This property is read-only")
    return _lazyprop
于 2010-07-13T13:39:13.630 に答える