অলঙ্করণের কিছুটা চিকিত্সা (খুব শিথিলভাবে সম্ভবত মোনাদ এবং উত্তোলন দ্বারা অনুপ্রাণিত)। আপনি পাইথন 3.6 প্রকারের টিকাটি নিরাপদে সরিয়ে ফেলতে পারেন এবং পুরানো বার্তা বিন্যাসের স্টাইল ব্যবহার করতে পারেন।
fallible.py
from functools import wraps
from typing import Callable, TypeVar, Optional
import logging
A = TypeVar('A')
def fallible(*exceptions, logger=None) \
-> Callable[[Callable[..., A]], Callable[..., Optional[A]]]:
"""
:param exceptions: a list of exceptions to catch
:param logger: pass a custom logger; None means the default logger,
False disables logging altogether.
"""
def fwrap(f: Callable[..., A]) -> Callable[..., Optional[A]]:
@wraps(f)
def wrapped(*args, **kwargs):
try:
return f(*args, **kwargs)
except exceptions:
message = f'called {f} with *args={args} and **kwargs={kwargs}'
if logger:
logger.exception(message)
if logger is None:
logging.exception(message)
return None
return wrapped
return fwrap
ডেমো:
In [1] from fallible import fallible
In [2]: @fallible(ArithmeticError)
...: def div(a, b):
...: return a / b
...:
...:
In [3]: div(1, 2)
Out[3]: 0.5
In [4]: res = div(1, 0)
ERROR:root:called <function div at 0x10d3c6ae8> with *args=(1, 0) and **kwargs={}
Traceback (most recent call last):
File "/Users/user/fallible.py", line 17, in wrapped
return f(*args, **kwargs)
File "<ipython-input-17-e056bd886b5c>", line 3, in div
return a / b
In [5]: repr(res)
'None'
অংশ None
থেকে কিছুটা বেশি অর্থবহ কিছু ফেরত দেওয়ার জন্য আপনি এই সমাধানটিও সংশোধন করতে পারেন except
(বা এমনকি fallible
যুক্তিগুলির মধ্যে এই রিটার্ন মানটি নির্দিষ্ট করে সমাধানটিকে জেনেরিক করে তোলেন )।
exception
পদ্ধতি কেবল কলerror(message, exc_info=1)
।exc_info
ব্যতিক্রম প্রসঙ্গ থেকে লগিং পদ্ধতির যে কোনওটিতে পাস করার সাথে সাথে আপনি একটি ট্রেসব্যাক পাবেন।