在Python中,如何从方法中打印当前调用堆栈(用于调试目的)。
当前回答
import traceback
traceback.print_stack()
其他回答
import traceback
traceback.print_stack()
安装检查
pip3 install inspect-it --user
Code
import inspect;print(*['{:40}| {}:{}\n'.format(x.function, x.filename, x.lineno) for x in inspect.stack()])
你可以对这一行做一个代码片段
它将向您显示带有文件名和行号的函数调用堆栈列表
列出从开始到放这一行的位置
下面是@RichieHindle的精彩答案的一个变体,它实现了一个可以选择性地应用于所需函数的装饰器。适用于Python 2.7.14和3.6.4。
from __future__ import print_function
import functools
import traceback
import sys
INDENT = 4*' '
def stacktrace(func):
@functools.wraps(func)
def wrapped(*args, **kwds):
# Get all but last line returned by traceback.format_stack()
# which is the line below.
callstack = '\n'.join([INDENT+line.strip() for line in traceback.format_stack()][:-1])
print('{}() called:'.format(func.__name__))
print(callstack)
return func(*args, **kwds)
return wrapped
@stacktrace
def test_func():
return 42
print(test_func())
样本输出:
test_func() called:
File "stacktrace_decorator.py", line 28, in <module>
print(test_func())
42
如果您使用python调试器,不仅可以交互式探测变量,还可以使用“where”命令或“w”获取调用堆栈。
在程序的顶部
import pdb
然后在代码中查看发生了什么
pdb.set_trace()
然后你就进入了提示符
下面是一个通过traceback模块获取堆栈并打印的例子:
import traceback
def f():
g()
def g():
for line in traceback.format_stack():
print(line.strip())
f()
# Prints:
# File "so-stack.py", line 10, in <module>
# f()
# File "so-stack.py", line 4, in f
# g()
# File "so-stack.py", line 7, in g
# for line in traceback.format_stack():
如果你真的只想打印堆栈到stderr,你可以使用:
traceback.print_stack()
或者打印到stdout(如果想保持重定向输出在一起很有用),使用:
traceback.print_stack(file=sys.stdout)
但是通过traceback.format_stack()获取它可以让你对它做任何你喜欢的事情。
推荐文章
- 格式y轴为百分比
- 熊猫连接问题:列重叠但没有指定后缀
- 为什么空字典在Python中是一个危险的默认值?
- 在Python中,冒号等于(:=)是什么意思?
- Python "SyntaxError:文件中的非ascii字符'\xe2' "
- 如何从psycopg2游标获得列名列表?
- Python中dict对象的联合
- 如何有效地比较两个无序列表(不是集合)?
- 如何在交互式Python中查看整个命令历史?
- Eclipse调试器总是阻塞在ThreadPoolExecutor上,没有任何明显的异常,为什么?
- 如何显示有两个小数点后的浮点数?
- 如何用OpenCV2.0和Python2.6调整图像大小
- 在每个列表元素上调用int()函数?
- 当使用代码存储库时,如何引用资源的相对路径
- 我如何让红宝石打印一个完整的回溯而不是截断一个?