带有参数值的Python打印调用堆栈

问题描述 投票:-1回答:1

函数traceback.print_stack()打印调用堆栈。如果我们可以在每个级别看到参数的值,那么它将有助于调试。但我找不到办法做到这一点。

例如:

def f1(a=2):
  f2(a=a+1)

def f2(a=3):
  f3()

def f3(a=4):
  print(a)
  pdb.set_trace()

f1()

我想从PDB提示符打印堆栈,以便打印如下:

  f3 a = Not specified
  f2 a = 3
  f1 
python pdb
1个回答
1
投票

我写了一个模块,不久前做了类似的事情。 我的笔记说它适用于Python 2和3。

from __future__ import print_function
from itertools import chain
import traceback

def stackdump(msg='HERE'):
    print('  ENTERING STACK_DUMP()')
    raw_tb = traceback.extract_stack()
    entries = traceback.format_list(raw_tb)

    # Remove the last two entries for the call to extract_stack() and to
    # the one before that, this function. Each entry consists of single
    # string with consisting of two lines, the script file path then the
    # line of source code making the call to this function.
    del entries[-2:]

    # Split the stack entries on line boundaries.
    lines = list(chain.from_iterable(line.splitlines() for line in entries))
    if msg:  # Append it to last line with name of caller function.
        lines[-1] += ' <-- ' + msg
        lines.append('  LEAVING STACK_DUMP()')
    print('\n'.join(lines))


if __name__ == '__main__':

    def func1():
        stackdump()

    def func2():
        func1()

    func1()
    print()
    func2()
© www.soinside.com 2019 - 2024. All rights reserved.