如何在Python中分析异常处理?

如何在Python中分析异常处理?,python,profiling,Python,Profiling,有没有办法找出抛出(和捕获)了多少异常,以及异常处理花费了多少时间 我使用的是(稍微修改过的),它严重依赖于异常,我想知道(或者至少估计一下)是否值得将其重写为无异常工作 异常的引发和捕获广泛分布在模块中,因此我正在寻找一种方法,它不需要修改除块以外的每次尝试,只要您想分析代码,使用contextmanager可能是一个好主意 import time from contextlib import contextmanager # global NUMBER_OF_EXCEPTIONS = 0

有没有办法找出抛出(和捕获)了多少异常,以及异常处理花费了多少时间

我使用的是(稍微修改过的),它严重依赖于异常,我想知道(或者至少估计一下)是否值得将其重写为无异常工作


异常的引发和捕获广泛分布在模块中,因此我正在寻找一种方法,它不需要修改除块以外的每次尝试,只要您想分析代码,使用contextmanager可能是一个好主意

import time
from contextlib import contextmanager

# global
NUMBER_OF_EXCEPTIONS = 0

# define the timer
class Timer(object):
    def __init__(self):
        self.t1 = time.time()
    def stop(self):
        self.t2 = time.time()
        self.elapsed = self.t2 - self.t1

# define the profiler
@contextmanager
def profiler():
    t = Timer()
    yield t
    t.stop()
    print("elapsed: ", t.elapsed)

# use the profiler!
with profiler():
    try:
        1/0
    except ZeroDivisionError:
        # handle exception
        NUMBER_OF_EXCEPTIONS += 1
        time.sleep(1.1)

# and use it again!
with profiler():
    try:
        1/2
    except ZeroDivisionError:
        # handle exception
        NUMBER_OF_EXCEPTIONS += 1
        time.sleep(1.1)

print("Total handled exceptions: ", NUMBER_OF_EXCEPTIONS)
输出应如下所示:

elapsed:  1.10120511055
elapsed:  4.05311584473e-06
Total handled exceptions:  1
现在,如果您想变得更有趣,还可以编写上下文管理器来处理异常()。这种技术可以产生非常干净的代码:

NUMBER_OF_EXCEPTIONS = 0

@contextmanager
def handle_zero_division_error():
    try:
        yield
    except ZeroDivisionError as err:
        global NUMBER_OF_EXCEPTIONS
        NUMBER_OF_EXCEPTIONS += 1
        time.sleep(1.1)

with profiler():
    with handle_zero_division_error():
        1/0

with profiler():
    with handle_zero_division_error():
        1/0

# you can even write it like this
with profiler(), handle_zero_division_error():
    1/2

print("Total handled exceptions: ", NUMBER_OF_EXCEPTIONS)
以及输出:

elapsed:  1.10123705864
elapsed:  1.10085892677
elapsed:  1.90734863281e-05
Total handled exceptions:  2