当我在使用IPython调试Python时,有时会遇到一个断点,我想检查一个当前是生成器的变量。我能想到的最简单的方法是将其转换为列表,但我不清楚在ipdb
的一行中完成此操作的简单方法是什么,因为我对Python很陌生。
只需在生成器上调用list
。
lst = list(gen)
lst
请注意,这会影响生成器,它将不再返回任何项。
您也不能在ippython中直接调用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.
转义函数/变量/调试器名称冲突的通用方法
有调试器命令p
和pp
,将print
和prettyprint
任何表达式跟随。
所以你可以这样使用:
$ 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表达式。
ipdb> !list(g1)
[]
详细信息请参见help p
, help pp
和help 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']