将生成器对象转换为列表以进行调试

当我使用 IPython 在 Python 中进行调试时,有时会碰到一个断点,我想检查一个当前是生成器的变量。我能想到的最简单的方法是将它转换成一个列表,但是我不清楚在 ipdb中用一行代码实现这一点的简单方法是什么,因为我对 Python 非常陌生。

221814 次浏览

只需调用发电机的 list

lst = list(gen)
lst

请注意,这会影响生成器,生成器将不会返回任何其他项。

您也不能在 IPython 中直接调用 list,因为它与列出代码行的命令冲突。

在这个文件中测试:

def gen():
yield 1
yield 2
yield 3
yield 4
yield 5
import ipdb
ipdb.set_trace()


g1 = gen()


text = "aha" + "bebe"


mylst = range(10, 20)

当运行时:

$ python code.py
> /home/javl/sandbox/so/debug/code.py(10)<module>()
9
---> 10 g1 = gen()
11


ipdb> n
> /home/javl/sandbox/so/debug/code.py(12)<module>()
11
---> 12 text = "aha" + "bebe"
13


ipdb> lst = list(g1)
ipdb> lst
[1, 2, 3, 4, 5]
ipdb> q
Exiting Debugger.

转义函数/变量/调试器名称冲突的常规方法

有调试器命令 pppprintprettyprint后面的任何表达式。

所以你可以这样使用它:

$ python code.py
> /home/javl/sandbox/so/debug/code.py(10)<module>()
9
---> 10 g1 = gen()
11


ipdb> n
> /home/javl/sandbox/so/debug/code.py(12)<module>()
11
---> 12 text = "aha" + "bebe"
13


ipdb> p list(g1)
[1, 2, 3, 4, 5]
ipdb> c

还有一个 exec命令,通过在表达式前面加上 !来调用,它强制调试器将表达式设置为 Python 1。

ipdb> !list(g1)
[]

有关详细信息,请参阅调试器中的 help phelp pphelp exec

ipdb> help exec
(!) statement
Execute the (one-line) statement in the context of
the current stack frame.
The exclamation point can be omitted unless the first word
of the statement resembles a debugger command.
To assign to a global variable you must always prefix the
command with a 'global' command, e.g.:
(Pdb) global list_options; list_options = ['-l']