エラー関数をN回繰り返し、その間にスリープ時間を増やすデコレータを作成しようとしています。これはこれまでの私の試みです:
def exponential_backoff(seconds=10, attempts=10):
def our_decorator(func):
def function_wrapper(*args, **kwargs):
for s in range(0, seconds*attempts, attempts):
sleep(s)
try:
return func(*args, **kwargs)
except Exception as e:
print(e)
return function_wrapper
return our_decorator
@exponential_backoff
def test():
for a in range(100):
if a - random.randint(0,1) == 0:
print('success count: {}'.format(a))
pass
else:
print('error count {}'.format(a))
'a' + 1
test()
エラーが発生し続けます:
TypeError: our_decorator() missing 1 required positional argument: 'func'
次のものを使用する必要があります。
@exponential_backoff()
def test():
...
全体的なデコレータは引数がオプションになるようには設計されていないため、使用するときは()
を指定する必要があります。
デコレータの許可引数リストをオプションにする方法の例が必要な場合は、以下を参照してください。
Wraptパッケージを使用して、デコレータをより簡単で堅牢にすることも検討してください。
@Graham Dumpletonが提供するソリューションを選択するか、次のようにデコレータを変更することができます。
from functools import wraps, partial
def exponential_backoff(func=None, seconds=10, attempts=10):
if func is None:
return functools.partial(exponential_backoff, seconds=seconds, attempts=attempts)
@wraps(func)
def function_wrapper(*args, **kwargs):
for s in range(0, seconds*attempts, attempts):
sleep(s)
try:
return func(*args, **kwargs)
except Exception as e:
print(e)
return function_wrapper
@exponential_backoff
def test():
for a in range(100):
if a - random.randint(0,1) == 0:
print('success count: {}'.format(a))
pass
else:
print('error count {}'.format(a))
'a' + 1
test()
[〜#〜]編集[〜#〜]私の答えはでした完全に正しいわけではありません。解決策の試みを実行可能にする方法を示す@GrahamDumpletonの回答を参照してください(つまり、 このリンク )。今すぐ修正しました。@ GrahamDumpletonに感謝します。
デコレータとは何かを理解します。
_@exponential_backoff
def test():
pass
_
等しい:
_def test():
pass
test = exponential_backoff(test)
_
この場合、test
はdef our_decorator(func):
です。そのため、test()
を呼び出すとTypeError
が得られます。
さらに:
_@exponential_backoff()
def test():
pass
_
等しい:
_def test():
pass
test = exponential_backoff()(test)
_
この場合、test
が必要です。
さらに、_functools.wraps
_は、元の関数のすべてのプロパティを装飾された関数にコピーするのに役立ちます。関数の名前やdocstringなど:
_from functools import wraps
def exponential_backoff(func):
# @wraps(func)
def function_wrapper(*args, **kwargs):
pass
return function_wrapper
@exponential_backoff
def test():
pass
print(test) # <function exponential_backoff.<locals>.function_wrapper at 0x7fcc343a4268>
# uncomment `@wraps(func)` line:
print(test) # <function test at 0x7fcc343a4400>
_