存储Python程序执行流(函数调用流)



我正在开发一个项目,在这个项目中,我必须存储在每个请求-响应周期中调用的所有函数并存储它们。我不需要存储变量的值,我所需要存储的只是我们用它们的参数和执行顺序调用的函数。我正在使用mongodb来存储这个跟踪。

为了方便起见,您可以使用函数装饰器。

import functools
import logging
def log_me(func):
    @functools.wraps(func)
    def inner(*args, **kwargs):
        logging.debug('name: %s, args: %s, kwargs: %s', func.__name__, args, kwargs)                                        
        return func(*args, **kwargs)
    return inner

然后将您的函数装饰为日志。

@log_me
def test(x):
    return x + 2

测试呼叫。

In [10]: test(3)
DEBUG:root:name: test, args: (3,), kwargs: {}
Out[10]: 5

如果您想将条目直接存储在MongoDB中,而不是首先登录到logging模块,那么可以用在数据库中创建条目的代码替换logging.debug行。

sys.settirace跟踪函数进行调试,但可以针对此问题进行修改。也许是这样的东西-

import sys
def trace_calls(frame, event, arg):
    if event != 'call':
        return
    co = frame.f_code
    func_name = co.co_name
    if func_name == 'write':
        # Ignore write() calls from print statements
        return
    func_line_no = frame.f_lineno
    func_filename = co.co_filename
    caller = frame.f_back
    caller_line_no = caller.f_lineno
    caller_filename = caller.f_code.co_filename
    print 'Call to %s on line %s of %s from line %s of %s' % 
        (func_name, func_line_no, func_filename,
         caller_line_no, caller_filename)

另请参阅评测。它描述了程序的各个部分执行的频率和时间

相关内容

  • 没有找到相关文章

最新更新