mirror of
https://github.com/avatao-content/baseimage-tutorial-framework
synced 2024-11-14 17:57:16 +00:00
28 lines
698 B
Python
28 lines
698 B
Python
from functools import update_wrapper, wraps
|
|
|
|
|
|
class lazy_property:
|
|
"""
|
|
Decorator that replaces a function with the value
|
|
it calculates on the first call.
|
|
"""
|
|
def __init__(self, func):
|
|
self.func = func
|
|
update_wrapper(self, func)
|
|
|
|
def __get__(self, instance, owner):
|
|
if instance is None:
|
|
return self # avoids potential __new__ TypeError
|
|
value = self.func(instance)
|
|
setattr(instance, self.func.__name__, value)
|
|
return value
|
|
|
|
|
|
def lazy_factory(fun):
|
|
class wrapper:
|
|
@wraps(fun)
|
|
@lazy_property
|
|
def instance(self): # pylint: disable=no-self-use
|
|
return fun()
|
|
return wrapper()
|