Answers:
这是通过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()
或打印到标准输出(如果要一起保留重定向输出很有用),请使用:
traceback.print_stack(file=sys.stdout)
但是通过获取它可以traceback.format_stack()
让您随心所欲地使用它。
sys._current_frames()
。例如py_better_exchook可以dump_all_thread_tracebacks
做到这一点(免责声明:我是写的)。
import traceback
traceback.print_stack()
traceback.print_exc()
它为您提供了几乎无需except
声明即可获得的相同功能(并且编码少于接受的答案)。
traceback.print_exc()
打印您可能正在处理的任何异常的堆栈跟踪信息-但这不能解决原始问题,即如何打印当前堆栈(“您现在所在的位置”,而不是“上一次异常发生时代码所在的位置”)关闭,如果有的话。)
inspect.stack()
返回当前堆栈,而不是异常回溯:
import inspect
print inspect.stack()
请参阅https://gist.github.com/FredLoney/5454553以获取log_stack实用程序功能。
如果使用python调试器,则不仅可以进行变量的交互式探测,还可以使用“ where”命令或“ w”获得调用堆栈。
因此,在程序顶部
import pdb
然后在代码中您要查看发生了什么
pdb.set_trace()
并提示您
where
什么关系?
(pdb)
,键入where
,它将堆栈跟踪信息打印到终端。
breakpoint()
,从而无需导入pdb。
这是@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